The Ssum
thessumwiki
https://thessum.miraheze.org/wiki/Main_Page
MediaWiki 1.40.1
first-letter
Media
Special
Talk
User
User talk
The Ssum
The Ssum talk
File
File talk
MediaWiki
MediaWiki talk
Template
Template talk
Help
Help talk
Category
Category talk
Campaign
Campaign talk
TimedText
TimedText talk
Module
Module talk
Template:-
10
150
441
2016-11-10T02:15:30Z
mw>Ciencia Al Poder
0
Protected "[[Template:-]]": Highly visible template ([Edit=Allow only administrators] (indefinite) [Move=Allow only administrators] (indefinite))
wikitext
text/x-wiki
#REDIRECT [[Template:Clear]]
1a2aa4a9ba7478e54a2b21cbce68887ea297ea86
Template:Clear
10
113
367
2019-07-12T22:36:32Z
mw>Jdforrester (WMF)
0
1 revision imported from [[:w:en:Template:Clear]]: Page about technical change that was posted to a local wiki
wikitext
text/x-wiki
<div style="clear: {{{1|both}}};"></div><noinclude>
{{Documentation}}</noinclude>
529df0ba87c6f5d2ef3cdc233a2f08f7a6242ec7
Module:Arguments
828
118
377
2019-09-02T12:39:11Z
mw>AKlapper (WMF)
0
4 revisions imported from [[:meta:Module:Arguments]]: See [[phab:T231001]]
Scribunto
text/plain
-- This module provides easy processing of arguments passed to Scribunto from
-- #invoke. It is intended for use by other Lua modules, and should not be
-- called from #invoke directly.
local libraryUtil = require('libraryUtil')
local checkType = libraryUtil.checkType
local arguments = {}
-- Generate four different tidyVal functions, so that we don't have to check the
-- options every time we call it.
local function tidyValDefault(key, val)
if type(val) == 'string' then
val = val:match('^%s*(.-)%s*$')
if val == '' then
return nil
else
return val
end
else
return val
end
end
local function tidyValTrimOnly(key, val)
if type(val) == 'string' then
return val:match('^%s*(.-)%s*$')
else
return val
end
end
local function tidyValRemoveBlanksOnly(key, val)
if type(val) == 'string' then
if val:find('%S') then
return val
else
return nil
end
else
return val
end
end
local function tidyValNoChange(key, val)
return val
end
local function matchesTitle(given, title)
local tp = type( given )
return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title
end
local translate_mt = { __index = function(t, k) return k end }
function arguments.getArgs(frame, options)
checkType('getArgs', 1, frame, 'table', true)
checkType('getArgs', 2, options, 'table', true)
frame = frame or {}
options = options or {}
--[[
-- Set up argument translation.
--]]
options.translate = options.translate or {}
if getmetatable(options.translate) == nil then
setmetatable(options.translate, translate_mt)
end
if options.backtranslate == nil then
options.backtranslate = {}
for k,v in pairs(options.translate) do
options.backtranslate[v] = k
end
end
if options.backtranslate and getmetatable(options.backtranslate) == nil then
setmetatable(options.backtranslate, {
__index = function(t, k)
if options.translate[k] ~= k then
return nil
else
return k
end
end
})
end
--[[
-- Get the argument tables. If we were passed a valid frame object, get the
-- frame arguments (fargs) and the parent frame arguments (pargs), depending
-- on the options set and on the parent frame's availability. If we weren't
-- passed a valid frame object, we are being called from another Lua module
-- or from the debug console, so assume that we were passed a table of args
-- directly, and assign it to a new variable (luaArgs).
--]]
local fargs, pargs, luaArgs
if type(frame.args) == 'table' and type(frame.getParent) == 'function' then
if options.wrappers then
--[[
-- The wrappers option makes Module:Arguments look up arguments in
-- either the frame argument table or the parent argument table, but
-- not both. This means that users can use either the #invoke syntax
-- or a wrapper template without the loss of performance associated
-- with looking arguments up in both the frame and the parent frame.
-- Module:Arguments will look up arguments in the parent frame
-- if it finds the parent frame's title in options.wrapper;
-- otherwise it will look up arguments in the frame object passed
-- to getArgs.
--]]
local parent = frame:getParent()
if not parent then
fargs = frame.args
else
local title = parent:getTitle():gsub('/sandbox$', '')
local found = false
if matchesTitle(options.wrappers, title) then
found = true
elseif type(options.wrappers) == 'table' then
for _,v in pairs(options.wrappers) do
if matchesTitle(v, title) then
found = true
break
end
end
end
-- We test for false specifically here so that nil (the default) acts like true.
if found or options.frameOnly == false then
pargs = parent.args
end
if not found or options.parentOnly == false then
fargs = frame.args
end
end
else
-- options.wrapper isn't set, so check the other options.
if not options.parentOnly then
fargs = frame.args
end
if not options.frameOnly then
local parent = frame:getParent()
pargs = parent and parent.args or nil
end
end
if options.parentFirst then
fargs, pargs = pargs, fargs
end
else
luaArgs = frame
end
-- Set the order of precedence of the argument tables. If the variables are
-- nil, nothing will be added to the table, which is how we avoid clashes
-- between the frame/parent args and the Lua args.
local argTables = {fargs}
argTables[#argTables + 1] = pargs
argTables[#argTables + 1] = luaArgs
--[[
-- Generate the tidyVal function. If it has been specified by the user, we
-- use that; if not, we choose one of four functions depending on the
-- options chosen. This is so that we don't have to call the options table
-- every time the function is called.
--]]
local tidyVal = options.valueFunc
if tidyVal then
if type(tidyVal) ~= 'function' then
error(
"bad value assigned to option 'valueFunc'"
.. '(function expected, got '
.. type(tidyVal)
.. ')',
2
)
end
elseif options.trim ~= false then
if options.removeBlanks ~= false then
tidyVal = tidyValDefault
else
tidyVal = tidyValTrimOnly
end
else
if options.removeBlanks ~= false then
tidyVal = tidyValRemoveBlanksOnly
else
tidyVal = tidyValNoChange
end
end
--[[
-- Set up the args, metaArgs and nilArgs tables. args will be the one
-- accessed from functions, and metaArgs will hold the actual arguments. Nil
-- arguments are memoized in nilArgs, and the metatable connects all of them
-- together.
--]]
local args, metaArgs, nilArgs, metatable = {}, {}, {}, {}
setmetatable(args, metatable)
local function mergeArgs(tables)
--[[
-- Accepts multiple tables as input and merges their keys and values
-- into one table. If a value is already present it is not overwritten;
-- tables listed earlier have precedence. We are also memoizing nil
-- values, which can be overwritten if they are 's' (soft).
--]]
for _, t in ipairs(tables) do
for key, val in pairs(t) do
if metaArgs[key] == nil and nilArgs[key] ~= 'h' then
local tidiedVal = tidyVal(key, val)
if tidiedVal == nil then
nilArgs[key] = 's'
else
metaArgs[key] = tidiedVal
end
end
end
end
end
--[[
-- Define metatable behaviour. Arguments are memoized in the metaArgs table,
-- and are only fetched from the argument tables once. Fetching arguments
-- from the argument tables is the most resource-intensive step in this
-- module, so we try and avoid it where possible. For this reason, nil
-- arguments are also memoized, in the nilArgs table. Also, we keep a record
-- in the metatable of when pairs and ipairs have been called, so we do not
-- run pairs and ipairs on the argument tables more than once. We also do
-- not run ipairs on fargs and pargs if pairs has already been run, as all
-- the arguments will already have been copied over.
--]]
metatable.__index = function (t, key)
--[[
-- Fetches an argument when the args table is indexed. First we check
-- to see if the value is memoized, and if not we try and fetch it from
-- the argument tables. When we check memoization, we need to check
-- metaArgs before nilArgs, as both can be non-nil at the same time.
-- If the argument is not present in metaArgs, we also check whether
-- pairs has been run yet. If pairs has already been run, we return nil.
-- This is because all the arguments will have already been copied into
-- metaArgs by the mergeArgs function, meaning that any other arguments
-- must be nil.
--]]
if type(key) == 'string' then
key = options.translate[key]
end
local val = metaArgs[key]
if val ~= nil then
return val
elseif metatable.donePairs or nilArgs[key] then
return nil
end
for _, argTable in ipairs(argTables) do
local argTableVal = tidyVal(key, argTable[key])
if argTableVal ~= nil then
metaArgs[key] = argTableVal
return argTableVal
end
end
nilArgs[key] = 'h'
return nil
end
metatable.__newindex = function (t, key, val)
-- This function is called when a module tries to add a new value to the
-- args table, or tries to change an existing value.
if type(key) == 'string' then
key = options.translate[key]
end
if options.readOnly then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; the table is read-only',
2
)
elseif options.noOverwrite and args[key] ~= nil then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; overwriting existing arguments is not permitted',
2
)
elseif val == nil then
--[[
-- If the argument is to be overwritten with nil, we need to erase
-- the value in metaArgs, so that __index, __pairs and __ipairs do
-- not use a previous existing value, if present; and we also need
-- to memoize the nil in nilArgs, so that the value isn't looked
-- up in the argument tables if it is accessed again.
--]]
metaArgs[key] = nil
nilArgs[key] = 'h'
else
metaArgs[key] = val
end
end
local function translatenext(invariant)
local k, v = next(invariant.t, invariant.k)
invariant.k = k
if k == nil then
return nil
elseif type(k) ~= 'string' or not options.backtranslate then
return k, v
else
local backtranslate = options.backtranslate[k]
if backtranslate == nil then
-- Skip this one. This is a tail call, so this won't cause stack overflow
return translatenext(invariant)
else
return backtranslate, v
end
end
end
metatable.__pairs = function ()
-- Called when pairs is run on the args table.
if not metatable.donePairs then
mergeArgs(argTables)
metatable.donePairs = true
end
return translatenext, { t = metaArgs }
end
local function inext(t, i)
-- This uses our __index metamethod
local v = t[i + 1]
if v ~= nil then
return i + 1, v
end
end
metatable.__ipairs = function (t)
-- Called when ipairs is run on the args table.
return inext, t, 0
end
return args
end
return arguments
3134ecce8429b810d445e29eae115e2ae4c36c53
Template:Pagelang
10
112
365
2019-11-10T01:45:55Z
mw>Shirayuki
0
This template should return empty string if the pagename does not end with "/en" for consistency
wikitext
text/x-wiki
{{#ifeq:{{#invoke:Template translation|getLanguageSubpage|{{{1|}}}}}|en
|{{#ifeq:{{#titleparts:{{{1|{{PAGENAME}}}}}||-1}}|en
|{{#invoke:Template translation|getLanguageSubpage|{{{1|}}}}}
}}
|{{#invoke:Template translation|getLanguageSubpage|{{{1|}}}}}
}}<noinclude>
{{Documentation}}
</noinclude>
c4102d40356283246cbc855bef4754c0a15b4bea
Template:·
10
153
447
2019-12-23T07:22:16Z
mw>Ainz Ooal Gown
0
42 revisions imported from [[:w:en:Template:·]]: Documentation for Template:Tag_description
wikitext
text/x-wiki
<b>·</b> <noinclude>
{{documentation}}
<!-- Add categories and interwikis to the /doc subpage, not here! -->
</noinclude>
bddcd60a7b03421d93c14219c3518e748538fd4e
Module:Documentation/i18n
828
132
405
2019-12-28T03:33:21Z
mw>94rain
0
Protected "[[Module:Documentation/i18n]]": Highly visible page or template ([Edit=Allow only autoconfirmed users] (indefinite) [Move=Allow only administrators] (indefinite))
Scribunto
text/plain
local format = require('Module:TNT').format
local i18n = {}
i18n['cfg-error-msg-type'] = format('I18n/Documentation', 'cfg-error-msg-type')
i18n['cfg-error-msg-empty'] = format('I18n/Documentation', 'cfg-error-msg-empty')
-- cfg['template-namespace-heading']
-- The heading shown in the template namespace.
i18n['template-namespace-heading'] = format('I18n/Documentation', 'template-namespace-heading')
-- cfg['module-namespace-heading']
-- The heading shown in the module namespace.
i18n['module-namespace-heading'] = format('I18n/Documentation', 'module-namespace-heading')
-- cfg['file-namespace-heading']
-- The heading shown in the file namespace.
i18n['file-namespace-heading'] = format('I18n/Documentation', 'file-namespace-heading')
-- cfg['other-namespaces-heading']
-- The heading shown in other namespaces.
i18n['other-namespaces-heading'] = format('I18n/Documentation', 'other-namespaces-heading')
-- cfg['view-link-display']
-- The text to display for "view" links.
i18n['view-link-display'] = format('I18n/Documentation', 'view-link-display')
-- cfg['edit-link-display']
-- The text to display for "edit" links.
i18n['edit-link-display'] = format('I18n/Documentation', 'edit-link-display')
-- cfg['history-link-display']
-- The text to display for "history" links.
i18n['history-link-display'] = format('I18n/Documentation', 'history-link-display')
-- cfg['purge-link-display']
-- The text to display for "purge" links.
i18n['purge-link-display'] = format('I18n/Documentation', 'purge-link-display')
-- cfg['create-link-display']
-- The text to display for "create" links.
i18n['create-link-display'] = format('I18n/Documentation', 'create-link-display')
return i18n
9a9f234b177a424f1fc465eb25c484eff54905c0
Module:No globals
828
116
373
2020-03-01T02:09:15Z
mw>Minorax
0
7 revisions imported from [[:meta:Module:No_globals]]
Scribunto
text/plain
local mt = getmetatable(_G) or {}
function mt.__index (t, k)
if k ~= 'arg' then
-- perf optimization here and below: do not load Module:TNT unless there is an error
error(require('Module:TNT').format('I18n/No globals', 'err-read', tostring(k)), 2)
end
return nil
end
function mt.__newindex(t, k, v)
if k ~= 'arg' then
error(require('Module:TNT').format('I18n/No globals', 'err-write', tostring(k)), 2)
end
rawset(t, k, v)
end
setmetatable(_G, mt)
efcb47c74e7e2bb9a4ad8764d99a0afce8fed410
Module:TableTools
828
134
409
2020-03-01T02:09:18Z
mw>Minorax
0
4 revisions imported from [[:meta:Module:TableTools]]
Scribunto
text/plain
--[[
------------------------------------------------------------------------------------
-- TableTools --
-- --
-- This module includes a number of functions for dealing with Lua tables. --
-- It is a meta-module, meant to be called from other Lua modules, and should --
-- not be called directly from #invoke. --
------------------------------------------------------------------------------------
--]]
local libraryUtil = require('libraryUtil')
local p = {}
-- Define often-used variables and functions.
local floor = math.floor
local infinity = math.huge
local checkType = libraryUtil.checkType
local checkTypeMulti = libraryUtil.checkTypeMulti
--[[
------------------------------------------------------------------------------------
-- isPositiveInteger
--
-- This function returns true if the given value is a positive integer, and false
-- if not. Although it doesn't operate on tables, it is included here as it is
-- useful for determining whether a given table key is in the array part or the
-- hash part of a table.
------------------------------------------------------------------------------------
--]]
function p.isPositiveInteger(v)
if type(v) == 'number' and v >= 1 and floor(v) == v and v < infinity then
return true
else
return false
end
end
--[[
------------------------------------------------------------------------------------
-- isNan
--
-- This function returns true if the given number is a NaN value, and false
-- if not. Although it doesn't operate on tables, it is included here as it is
-- useful for determining whether a value can be a valid table key. Lua will
-- generate an error if a NaN is used as a table key.
------------------------------------------------------------------------------------
--]]
function p.isNan(v)
if type(v) == 'number' and tostring(v) == '-nan' then
return true
else
return false
end
end
--[[
------------------------------------------------------------------------------------
-- shallowClone
--
-- This returns a clone of a table. The value returned is a new table, but all
-- subtables and functions are shared. Metamethods are respected, but the returned
-- table will have no metatable of its own.
------------------------------------------------------------------------------------
--]]
function p.shallowClone(t)
local ret = {}
for k, v in pairs(t) do
ret[k] = v
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- removeDuplicates
--
-- This removes duplicate values from an array. Non-positive-integer keys are
-- ignored. The earliest value is kept, and all subsequent duplicate values are
-- removed, but otherwise the array order is unchanged.
------------------------------------------------------------------------------------
--]]
function p.removeDuplicates(t)
checkType('removeDuplicates', 1, t, 'table')
local isNan = p.isNan
local ret, exists = {}, {}
for i, v in ipairs(t) do
if isNan(v) then
-- NaNs can't be table keys, and they are also unique, so we don't need to check existence.
ret[#ret + 1] = v
else
if not exists[v] then
ret[#ret + 1] = v
exists[v] = true
end
end
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- numKeys
--
-- This takes a table and returns an array containing the numbers of any numerical
-- keys that have non-nil values, sorted in numerical order.
------------------------------------------------------------------------------------
--]]
function p.numKeys(t)
checkType('numKeys', 1, t, 'table')
local isPositiveInteger = p.isPositiveInteger
local nums = {}
for k, v in pairs(t) do
if isPositiveInteger(k) then
nums[#nums + 1] = k
end
end
table.sort(nums)
return nums
end
--[[
------------------------------------------------------------------------------------
-- affixNums
--
-- This takes a table and returns an array containing the numbers of keys with the
-- specified prefix and suffix. For example, for the table
-- {a1 = 'foo', a3 = 'bar', a6 = 'baz'} and the prefix "a", affixNums will
-- return {1, 3, 6}.
------------------------------------------------------------------------------------
--]]
function p.affixNums(t, prefix, suffix)
checkType('affixNums', 1, t, 'table')
checkType('affixNums', 2, prefix, 'string', true)
checkType('affixNums', 3, suffix, 'string', true)
local function cleanPattern(s)
-- Cleans a pattern so that the magic characters ()%.[]*+-?^$ are interpreted literally.
s = s:gsub('([%(%)%%%.%[%]%*%+%-%?%^%$])', '%%%1')
return s
end
prefix = prefix or ''
suffix = suffix or ''
prefix = cleanPattern(prefix)
suffix = cleanPattern(suffix)
local pattern = '^' .. prefix .. '([1-9]%d*)' .. suffix .. '$'
local nums = {}
for k, v in pairs(t) do
if type(k) == 'string' then
local num = mw.ustring.match(k, pattern)
if num then
nums[#nums + 1] = tonumber(num)
end
end
end
table.sort(nums)
return nums
end
--[[
------------------------------------------------------------------------------------
-- numData
--
-- Given a table with keys like ("foo1", "bar1", "foo2", "baz2"), returns a table
-- of subtables in the format
-- { [1] = {foo = 'text', bar = 'text'}, [2] = {foo = 'text', baz = 'text'} }
-- Keys that don't end with an integer are stored in a subtable named "other".
-- The compress option compresses the table so that it can be iterated over with
-- ipairs.
------------------------------------------------------------------------------------
--]]
function p.numData(t, compress)
checkType('numData', 1, t, 'table')
checkType('numData', 2, compress, 'boolean', true)
local ret = {}
for k, v in pairs(t) do
local prefix, num = mw.ustring.match(tostring(k), '^([^0-9]*)([1-9][0-9]*)$')
if num then
num = tonumber(num)
local subtable = ret[num] or {}
if prefix == '' then
-- Positional parameters match the blank string; put them at the start of the subtable instead.
prefix = 1
end
subtable[prefix] = v
ret[num] = subtable
else
local subtable = ret.other or {}
subtable[k] = v
ret.other = subtable
end
end
if compress then
local other = ret.other
ret = p.compressSparseArray(ret)
ret.other = other
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- compressSparseArray
--
-- This takes an array with one or more nil values, and removes the nil values
-- while preserving the order, so that the array can be safely traversed with
-- ipairs.
------------------------------------------------------------------------------------
--]]
function p.compressSparseArray(t)
checkType('compressSparseArray', 1, t, 'table')
local ret = {}
local nums = p.numKeys(t)
for _, num in ipairs(nums) do
ret[#ret + 1] = t[num]
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- sparseIpairs
--
-- This is an iterator for sparse arrays. It can be used like ipairs, but can
-- handle nil values.
------------------------------------------------------------------------------------
--]]
function p.sparseIpairs(t)
checkType('sparseIpairs', 1, t, 'table')
local nums = p.numKeys(t)
local i = 0
local lim = #nums
return function ()
i = i + 1
if i <= lim then
local key = nums[i]
return key, t[key]
else
return nil, nil
end
end
end
--[[
------------------------------------------------------------------------------------
-- size
--
-- This returns the size of a key/value pair table. It will also work on arrays,
-- but for arrays it is more efficient to use the # operator.
------------------------------------------------------------------------------------
--]]
function p.size(t)
checkType('size', 1, t, 'table')
local i = 0
for k in pairs(t) do
i = i + 1
end
return i
end
local function defaultKeySort(item1, item2)
-- "number" < "string", so numbers will be sorted before strings.
local type1, type2 = type(item1), type(item2)
if type1 ~= type2 then
return type1 < type2
else -- This will fail with table, boolean, function.
return item1 < item2
end
end
--[[
Returns a list of the keys in a table, sorted using either a default
comparison function or a custom keySort function.
]]
function p.keysToList(t, keySort, checked)
if not checked then
checkType('keysToList', 1, t, 'table')
checkTypeMulti('keysToList', 2, keySort, { 'function', 'boolean', 'nil' })
end
local list = {}
local index = 1
for key, value in pairs(t) do
list[index] = key
index = index + 1
end
if keySort ~= false then
keySort = type(keySort) == 'function' and keySort or defaultKeySort
table.sort(list, keySort)
end
return list
end
--[[
Iterates through a table, with the keys sorted using the keysToList function.
If there are only numerical keys, sparseIpairs is probably more efficient.
]]
function p.sortedPairs(t, keySort)
checkType('sortedPairs', 1, t, 'table')
checkType('sortedPairs', 2, keySort, 'function', true)
local list = p.keysToList(t, keySort, true)
local i = 0
return function()
i = i + 1
local key = list[i]
if key ~= nil then
return key, t[key]
else
return nil, nil
end
end
end
--[[
Returns true if all keys in the table are consecutive integers starting at 1.
--]]
function p.isArray(t)
checkType("isArray", 1, t, "table")
local i = 0
for k, v in pairs(t) do
i = i + 1
if t[i] == nil then
return false
end
end
return true
end
-- { "a", "b", "c" } -> { a = 1, b = 2, c = 3 }
function p.invert(array)
checkType("invert", 1, array, "table")
local map = {}
for i, v in ipairs(array) do
map[v] = i
end
return map
end
--[[
{ "a", "b", "c" } -> { ["a"] = true, ["b"] = true, ["c"] = true }
--]]
function p.listToSet(t)
checkType("listToSet", 1, t, "table")
local set = {}
for _, item in ipairs(t) do
set[item] = true
end
return set
end
--[[
Recursive deep copy function.
Preserves identities of subtables.
]]
local function _deepCopy(orig, includeMetatable, already_seen)
-- Stores copies of tables indexed by the original table.
already_seen = already_seen or {}
local copy = already_seen[orig]
if copy ~= nil then
return copy
end
if type(orig) == 'table' then
copy = {}
for orig_key, orig_value in pairs(orig) do
copy[deepcopy(orig_key, includeMetatable, already_seen)] = deepcopy(orig_value, includeMetatable, already_seen)
end
already_seen[orig] = copy
if includeMetatable then
local mt = getmetatable(orig)
if mt ~= nil then
local mt_copy = deepcopy(mt, includeMetatable, already_seen)
setmetatable(copy, mt_copy)
already_seen[mt] = mt_copy
end
end
else -- number, string, boolean, etc
copy = orig
end
return copy
end
function p.deepCopy(orig, noMetatable, already_seen)
checkType("deepCopy", 3, already_seen, "table", true)
return _deepCopy(orig, not noMetatable, already_seen)
end
--[[
Concatenates all values in the table that are indexed by a number, in order.
sparseConcat{ a, nil, c, d } => "acd"
sparseConcat{ nil, b, c, d } => "bcd"
]]
function p.sparseConcat(t, sep, i, j)
local list = {}
local list_i = 0
for _, v in p.sparseIpairs(t) do
list_i = list_i + 1
list[list_i] = v
end
return table.concat(list, sep, i, j)
end
--[[
-- This returns the length of a table, or the first integer key n counting from
-- 1 such that t[n + 1] is nil. It is similar to the operator #, but may return
-- a different value when there are gaps in the array portion of the table.
-- Intended to be used on data loaded with mw.loadData. For other tables, use #.
-- Note: #frame.args in frame object always be set to 0, regardless of
-- the number of unnamed template parameters, so use this function for
-- frame.args.
--]]
function p.length(t)
local i = 1
while t[i] ~= nil do
i = i + 1
end
return i - 1
end
function p.inArray(arr, valueToFind)
checkType("inArray", 1, arr, "table")
-- if valueToFind is nil, error?
for _, v in ipairs(arr) do
if v == valueToFind then
return true
end
end
return false
end
return p
fe918509f168332267834b3a6f5c219a9de5b2e7
Template:Sandbox other
10
128
397
2020-03-01T12:53:06Z
mw>Tacsipacsi
0
Created page with "<onlyinclude>{{#switch:{{SUBPAGENAME}}|sandbox|doc={{{1|}}}|#default={{{2|}}}}}</onlyinclude> {{documentation}}"
wikitext
text/x-wiki
<onlyinclude>{{#switch:{{SUBPAGENAME}}|sandbox|doc={{{1|}}}|#default={{{2|}}}}}</onlyinclude>
{{documentation}}
44919af6b57ac865d8ec53eabfcb2cb9de35f157
Module:Documentation/styles.css
828
137
415
2020-10-25T15:49:33Z
mw>Pppery
0
Protected "[[Module:Documentation/styles.css]]": Matching protection level with [[Module:Documentation]] ([Edit=Allow only autoconfirmed users] (indefinite) [Move=Allow only autoconfirmed users] (indefinite))
text
text/plain
.ts-doc-sandbox .mbox-image {
padding:.75em 0 .75em .75em;
}
.ts-doc-doc {
clear: both;
background-color: #eaf3ff;
border: 1px solid #a3caff;
margin-top: 1em;
border-top-left-radius: 2px;
border-top-right-radius: 2px;
}
.ts-doc-header {
background-color: #c2dcff;
padding: .642857em 1em .5em;
border-top-left-radius: 2px;
border-top-right-radius: 2px;
}
.ts-doc-header .ts-tlinks-tlinks {
line-height: 24px;
margin-left: 0;
}
.ts-doc-header .ts-tlinks-tlinks a.external {
color: #0645ad;
}
.ts-doc-header .ts-tlinks-tlinks a.external:visited {
color: #0b0080;
}
.ts-doc-header .ts-tlinks-tlinks a.external:active {
color: #faa700;
}
.ts-doc-content {
padding: .214286em 1em;
}
.ts-doc-content:after {
content: '';
clear: both;
display: block;
}
.ts-doc-heading {
display: inline-block;
padding-left: 30px;
background: center left/24px 24px no-repeat;
/* @noflip */
background-image: url(//upload.wikimedia.org/wikipedia/commons/f/fb/OOjs_UI_icon_puzzle-ltr.svg);
height: 24px;
line-height: 24px;
font-size: 13px;
font-weight: 600;
letter-spacing: 1px;
text-transform: uppercase;
}
.ts-doc-content > *:first-child,
.ts-doc-footer > *:first-child {
margin-top: .5em;
}
.ts-doc-content > *:last-child,
.ts-doc-footer > *:last-child {
margin-bottom: .5em;
}
.ts-doc-footer {
background-color: #eaf3ff;
border: 1px solid #a3caff;
padding: .214286em 1em;
margin-top: .214286em;
font-style: italic;
border-bottom-left-radius: 2px;
border-bottom-right-radius: 2px;
}
@media all and (min-width: 720px) {
.ts-doc-header .ts-tlinks-tlinks {
float: right;
}
}
71b09af67524324bf70d203a0a724bc74ec6c82e
Module:Navbar
828
147
435
2021-05-26T04:24:47Z
mw>Izno
0
add flatlist styles
Scribunto
text/plain
local p = {}
local getArgs
local ul
function p.addItem (mini, full, link, descrip, args, url)
local l
if url then
l = {'[', '', ']'}
else
l = {'[[', '|', ']]'}
end
ul:tag('li')
:addClass('nv-'..full)
:wikitext(l[1] .. link .. l[2])
:tag(args.mini and 'abbr' or 'span')
:attr('title', descrip..' this template')
:cssText(args.fontstyle)
:wikitext(args.mini and mini or full)
:done()
:wikitext(l[3])
end
function p.brackets (position, c, args, div)
if args.brackets then
div
:tag('span')
:css('margin-'..position, '-0.125em')
:cssText(args.fontstyle)
:wikitext(c)
end
end
function p._navbar(args)
local show = {true, true, true, false, false, false}
local titleArg = 1
if args.collapsible then
titleArg = 2
if not args.plain then args.mini = 1 end
if args.fontcolor then
args.fontstyle = 'color:' .. args.fontcolor .. ';'
end
args.style = 'float:left; text-align:left'
end
if args.template then
titleArg = 'template'
show = {true, false, false, false, false, false}
local index = {t = 2, d = 2, e = 3, h = 4, m = 5, w = 6, talk = 2, edit = 3, hist = 4, move = 5, watch = 6}
for k,v in ipairs(require ('Module:TableTools').compressSparseArray(args)) do
local num = index[v]
if num then show[num] = true end
end
end
if args.noedit then show[3] = false end
local titleText = args[titleArg] or (':' .. mw.getCurrentFrame():getParent():getTitle())
local title = mw.title.new(mw.text.trim(titleText), 'Template')
if not title then
error('Invalid title ' .. titleText)
end
local talkpage = title.talkPageTitle and title.talkPageTitle.fullText or ''
local div = mw.html.create():tag('div')
div
:addClass('plainlinks')
:addClass('hlist')
:addClass('navbar')
:cssText(args.style)
if args.mini then div:addClass('mini') end
if not (args.mini or args.plain) then
div
:tag('span')
:css('word-spacing', 0)
:cssText(args.fontstyle)
:wikitext(args.text or 'This box:')
:wikitext(' ')
end
p.brackets('right', '[ ', args, div)
ul = div:tag('ul')
if show[1] then p.addItem('v', 'view', title.fullText, 'View', args) end
if show[2] then p.addItem('t', 'talk', talkpage, 'Discuss', args) end
if show[3] then p.addItem('e', 'edit', title:fullUrl('action=edit'), 'Edit', args, true) end
if show[4] then p.addItem('h', 'hist', title:fullUrl('action=history'), 'History of', args, true) end
if show[5] then
local move = mw.title.new ('Special:Movepage')
p.addItem('m', 'move', move:fullUrl('target='..title.fullText), 'Move', args, true) end
if show[6] then p.addItem('w', 'watch', title:fullUrl('action=watch'), 'Watch', args, true) end
p.brackets('left', ' ]', args, div)
if args.collapsible then
div
:done()
:tag('div')
:css('font-size', '114%')
:css('margin', args.mini and '0 4em' or '0 7em')
:cssText(args.fontstyle)
:wikitext(args[1])
end
-- DELIBERATE DELTA FROM EN.WP THAT INTEGRATES HLIST TSTYLES
-- CARE WHEN SYNCING
local frame = mw.getCurrentFrame()
return frame:extensionTag{
name = 'templatestyles', args = { src = 'Flatlist/styles.css' }
} .. frame:extensionTag{
name = 'templatestyles', args = { src = 'Module:Navbar/styles.css' }
} .. tostring(div:done())
end
function p.navbar(frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
return p._navbar(getArgs(frame))
end
return p
b074bbe764eb1a5909241d11390e2612477d429a
Template:Navbox
10
111
363
2021-05-29T23:36:48Z
mw>Izno
0
remove templatestyles call from here
wikitext
text/x-wiki
<includeonly>{{#invoke:Navbox|navbox}}</includeonly><noinclude>
{{Documentation}}
</noinclude>
fe9b964401f895918ee4fe078678f1722a3c41ec
Module:Lua banner/config
828
142
425
2021-06-26T17:30:02Z
mw>ExE Boss
0
Set `wish_category` to [[:Category:Lua-candidates|Lua-candidates]]
Scribunto
text/plain
local cfg = {} -- Don’t touch this line.
-- Subpage blacklist: these subpages will not be categorized (except for the
-- error category, which is always added if there is an error).
-- For example “Template:Foo/doc” matches the `doc = true` rule, so it will have
-- no categories. “Template:Foo” and “Template:Foo/documentation” match no rules,
-- so they *will* have categories. All rules should be in the
-- ['<subpage name>'] = true,
-- format.
cfg['subpage_blacklist'] = {
['doc'] = true,
['sandbox'] = true,
['sandbox2'] = true,
['testcases'] = true,
}
-- Allow wishes: whether wishes for conversion to Lua are allowed.
-- If true, calls with zero parameters are valid, and considered to be wishes:
-- The box’s text is “This template should use Lua”, and cfg['wish_category'] is
-- added. If false, such calls are invalid, an error message appears, and
-- cfg['error_category'] is added.
cfg['allow_wishes'] = false
-- Default category: this category is added if the module call contains errors
-- (e.g. no module listed). A category name without namespace, or nil
-- to disable categorization (not recommended).
cfg['error_category'] = 'Lua templates with errors'
-- Wish category: this category is added if no module is listed, and wishes are
-- allowed. (Not used if wishes are not allowed.) A category name without
-- namespace, or nil to disable categorization.
cfg['wish_category'] = 'Lua-candidates'
-- Default category: this category is added if none of the below module_categories
-- matches the first module listed. A category name without namespace, or nil
-- to disable categorization.
cfg['default_category'] = 'Lua-based templates'
-- Module categories: one of these categories is added if the first listed module
-- is the listed module (e.g. {{Lua|Module:String}} adds
-- [[Category:Lua String-based templates]].) Format:
-- ['<module name>'] = '<category name>'
-- where neither <module name> nor <category name> contains namespace. An empty
-- table (i.e. no module-based categorization) will suffice on smaller wikis.
cfg['module_categories'] = {
['String'] = 'Lua String-based templates',
}
return cfg -- Don’t touch this line.
960aa5bb0f008cf7e3ef37963e1dbc797c2ffdd5
Module:Lua banner
828
141
423
2021-06-26T17:46:56Z
mw>ExE Boss
0
Fix `wish` parameter
Scribunto
text/plain
-- This module implements the {{lua}} template.
local yesno = require('Module:Yesno')
local mList = require('Module:List')
local mTableTools = require('Module:TableTools')
local mMessageBox = require('Module:Message box')
local TNT = require('Module:TNT')
local p = {}
local function format(msg)
return TNT.format('I18n/Lua banner', msg)
end
local function getConfig()
return mw.loadData('Module:Lua banner/config')
end
function p.main(frame)
local origArgs = frame:getParent().args
local args = {}
for k, v in pairs(origArgs) do
v = v:match('^%s*(.-)%s*$')
if v ~= '' then
args[k] = v
end
end
return p._main(args)
end
function p._main(args, cfg)
local modules = mTableTools.compressSparseArray(args)
local box = p.renderBox(modules, cfg, args)
local trackingCategories = p.renderTrackingCategories(args, modules, nil, cfg)
return box .. trackingCategories
end
function p.renderBox(modules, cfg, args)
local boxArgs = {}
if #modules < 1 then
cfg = cfg or getConfig()
if cfg['allow_wishes'] or yesno(args and args.wish) then
boxArgs.text = format('wishtext')
else
boxArgs.text = string.format('<strong class="error">%s</strong>', format('error_emptylist'))
end
else
local moduleLinks = {}
for i, module in ipairs(modules) do
moduleLinks[i] = string.format('[[:%s]]', module)
end
local moduleList = mList.makeList('bulleted', moduleLinks)
boxArgs.text = format('header') .. '\n' .. moduleList
end
boxArgs.type = 'notice'
boxArgs.small = true
boxArgs.image = string.format(
'[[File:Lua-logo-nolabel.svg|30px|alt=%s|link=%s]]',
format('logo_alt'),
format('logo_link')
)
return mMessageBox.main('mbox', boxArgs)
end
function p.renderTrackingCategories(args, modules, titleObj, cfg)
if yesno(args.nocat) then
return ''
end
cfg = cfg or getConfig()
local cats = {}
-- Error category
if #modules < 1 and not (cfg['allow_wishes'] or yesno(args.wish)) and cfg['error_category'] then
cats[#cats + 1] = cfg['error_category']
end
-- Lua templates category
titleObj = titleObj or mw.title.getCurrentTitle()
if titleObj.namespace == 10
and not cfg['subpage_blacklist'][titleObj.subpageText]
then
local category = args.category
if not category then
local pagename = modules[1] and mw.title.new(modules[1])
category = pagename and cfg['module_categories'][pagename.text]
if not category then
if (cfg['allow_wishes'] or yesno(args.wish)) and #modules < 1 then
category = cfg['wish_category']
else
category = cfg['default_category']
end
end
end
if category then
cats[#cats + 1] = category
end
end
for i, cat in ipairs(cats) do
cats[i] = string.format('[[Category:%s]]', cat)
end
return table.concat(cats)
end
return p
4b55b48bd92caeb84decde5f14c77b68ae09653e
Template:Lua
10
140
421
2021-07-04T05:28:53Z
mw>ExE Boss
0
Use <[[mw:Special:MyLanguage/Help:Transclusion#<onlyinclude>|onlyinclude]]>
wikitext
text/x-wiki
<onlyinclude><includeonly>{{#invoke:Lua banner|main}}</includeonly></onlyinclude>
{{Lua|Module:Lua banner}}
{{Documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
4642b0a145984533bddd3a6f0293c56ce201b88d
Template:Flatlist/styles.css
10
145
431
2021-07-05T20:28:28Z
mw>ExE Boss
0
[[mw:Special:Diff/999662/4662823|15 revisions]] imported from [[mw:Snippets/Horizontal lists]]
text
text/plain
/**
* Style for horizontal lists (separator following item).
* @source https://www.mediawiki.org/wiki/Snippets/Horizontal_lists
* @revision 9 (2016-08-10)
* @author [[User:Edokter]]
*/
.hlist dl,
.hlist ol,
.hlist ul {
margin: 0;
padding: 0;
}
/* Display list items inline */
.hlist dd,
.hlist dt,
.hlist li {
/* don't trust the note that says margin doesn't work with inline
* removing margin: 0 makes dds have margins again */
margin: 0;
display: inline;
}
/* Display nested lists inline */
/*
We remove .inline since it's not used here.
.hlist.inline,
.hlist.inline dl,
.hlist.inline ol,
.hlist.inline ul,
*/
.hlist dl dl, .hlist dl ol, .hlist dl ul,
.hlist ol dl, .hlist ol ol, .hlist ol ul,
.hlist ul dl, .hlist ul ol, .hlist ul ul {
display: inline;
}
/* Hide empty list items */
.hlist .mw-empty-li,
.hlist .mw-empty-elt {
display: none;
}
/* Generate interpuncts */
.hlist dt:after {
content: ": ";
}
.hlist dd:after,
.hlist li:after {
content: " · ";
font-weight: bold;
}
.hlist dd:last-child:after,
.hlist dt:last-child:after,
.hlist li:last-child:after {
content: none;
}
/* Add parentheses around nested lists */
.hlist dd dd:first-child:before, .hlist dd dt:first-child:before, .hlist dd li:first-child:before,
.hlist dt dd:first-child:before, .hlist dt dt:first-child:before, .hlist dt li:first-child:before,
.hlist li dd:first-child:before, .hlist li dt:first-child:before, .hlist li li:first-child:before {
content: " (";
font-weight: normal;
}
.hlist dd dd:last-child:after, .hlist dd dt:last-child:after, .hlist dd li:last-child:after,
.hlist dt dd:last-child:after, .hlist dt dt:last-child:after, .hlist dt li:last-child:after,
.hlist li dd:last-child:after, .hlist li dt:last-child:after, .hlist li li:last-child:after {
content: ")";
font-weight: normal;
}
/* Put ordinals in front of ordered list items */
.hlist ol {
counter-reset: listitem;
}
.hlist ol > li {
counter-increment: listitem;
}
.hlist ol > li:before {
content: " " counter(listitem) "\a0";
}
.hlist dd ol > li:first-child:before,
.hlist dt ol > li:first-child:before,
.hlist li ol > li:first-child:before {
content: " (" counter(listitem) "\a0";
}
9e75e584c328c44948ca9aae5c1cb4fa3c76a622
Module:Navbar/styles.css
828
136
413
2021-07-06T14:11:18Z
mw>ExE Boss
0
/* top */ Add {{[[Template:Shared Template Warning|Shared Template Warning]]}}
text
text/plain
/** {{Shared Template Warning}}
* This TemplateStyles page is separately used for [[Template:Navbar]]
* because of course there are two versions of the same template.
* Be careful when adjusting styles accordingly.
*/
.navbar {
display: inline;
font-size: 88%;
font-weight: normal;
}
.navbar ul {
display: inline;
white-space: nowrap;
}
.navbar li {
word-spacing: -0.125em;
}
/* Navbar styling when nested in navbox */
.navbox .navbar {
display: block;
font-size: 100%;
}
.navbox-title .navbar {
/* @noflip */
float: left;
/* @noflip */
text-align: left;
/* @noflip */
margin-right: 0.5em;
width: 6em;
}
daa254bc716c42f79e6be78a9d0a82bdbe57f9f2
Module:Template translation
828
114
369
2021-07-07T14:24:01Z
mw>Shirayuki
0
add exceptions for [[Help:Subpages/subpage]] and friends
Scribunto
text/plain
local this = {}
function this.checkLanguage(subpage, default)
--[[Check first if there's an any invalid character that would cause the
mw.language.isKnownLanguageTag function() to throw an exception:
- all ASCII controls in [\000-\031\127],
- double quote ("), sharp sign (#), ampersand (&), apostrophe ('),
- slash (/), colon (:), semicolon (;), lower than (<), greater than (>),
- brackets and braces ([, ], {, }), pipe (|), backslash (\\)
All other characters are accepted, including space and all non-ASCII
characters (including \192, which is invalid in UTF-8).
--]]
if mw.language.isValidCode(subpage) and mw.language.isKnownLanguageTag(subpage)
--[[However "SupportedLanguages" are too restrictive, as they discard many
valid BCP47 script variants (only because MediaWiki still does not
define automatic transliterators for them, e.g. "en-dsrt" or
"fr-brai" for French transliteration in Braille), and country variants,
(useful in localized data, even if they are no longer used for
translations, such as zh-cn, also useful for legacy codes).
We want to avoid matching subpagenames containing any uppercase letter,
(even if they are considered valid in BCP 47, in which they are
case-insensitive; they are not "SupportedLanguages" for MediaWiki, so
they are not "KnownLanguageTags" for MediaWiki).
To be more restrictive, we exclude any character
* that is not ASCII and not a lowercase letter, minus-hyphen, or digit,
or does not start by a letter or does not finish by a letter or digit;
* or that has more than 8 characters between hyphens;
* or that has two hyphens;
* or with specific uses in template subpages and unusable as languages.
--]]
or string.find(subpage, "^[%l][%-%d%l]*[%d%l]$") ~= nil
and string.find(subpage, "[%d%l][%d%l][%d%l][%d%l][%d%l][%d%l][%d%l][%d%l][%d%l]") == nil
and string.find(subpage, "%-%-") == nil
and subpage ~= "doc"
and subpage ~= "layout"
and subpage ~= "sandbox"
and subpage ~= "testcases"
and subpage ~= "init"
and subpage ~= "preload"
and subpage ~= "subpage"
and subpage ~= "subpage2"
and subpage ~= "sub-subpage"
and subpage ~= "sub-sub-subpage"
and subpage ~= "sub-sub-sub-subpage"
then
return subpage
end
-- Otherwise there's currently no known language subpage
return default
end
--[[Get the last subpage of an arbitrary page if it is a translation.
To be used from templates.
]]
function this.getLanguageSubpage(frame)
local title = frame and frame.args[1]
if not title or title == '' then
title = mw.title.getCurrentTitle()
end
return this._getLanguageSubpage(title)
end
--[[Get the last subpage of an arbitrary page if it is a translation.
To be used from Lua.
]]
function this._getLanguageSubpage(title)
if type(title) == 'string' then
title = mw.title.new(title)
end
if not title then
-- invalid title
return mw.language.getContentLanguage():getCode()
end
--[[This code does not work in all namespaces where the Translate tool works.
-- It works in the main namespace on Meta because it allows subpages there
-- It would not work in the main namespace of English Wikipedia (but the
-- articles are monolignual on that wiki).
-- On Meta-Wiki the main space uses subpages and its pages are translated.
-- The Translate tool allows translatng pages in all namespaces, even if
-- the namespace officially does not have subpages.
-- On Meta-Wiki the Category namespace still does not have subpages enabled,
-- even if they would be very useful for categorizing templates, that DO have
-- subpages (for documentatio and tstboxes pages). This is a misconfiguration
-- bug of Meta-Wiki. The work-around is to split the full title and then
-- get the last titlepart.
local subpage = title.subpageText
--]]
local titleparts = mw.text.split(title.fullText, '/')
local subpage = titleparts[#titleparts]
return this.checkLanguage(subpage, mw.language.getContentLanguage():getCode())
end
--[[Get the last subpage of the current page if it is a translation.
]]
function this.getCurrentLanguageSubpage()
return this._getLanguageSubpage(mw.title.getCurrentTitle())
end
--[[Get the first part of the language code of the subpage, before the '-'.
]]
function this.getMainLanguageSubpage()
parts = mw.text.split( this.getCurrentLanguageSubpage(), '-' )
return parts[1]
end
--[[Get the last subpage of the current frame if it is a translation.
Not used locally.
]]
function this.getFrameLanguageSubpage(frame)
return this._getLanguageSubpage(frame:getParent():getTitle())
end
--[[Get the language of the current page.
Not used locally.
]]
function this.getLanguage()
local subpage = mw.title.getCurrentTitle().subpageText
return this.checkLanguage(subpage, mw.language.getContentLanguage():getCode())
end
--[[Get the language of the current frame.
Not used locally.
]]
function this.getFrameLanguage(frame)
local titleparts = mw.text.split(frame:getParent():getTitle(), '/')
local subpage = titleparts[#titleparts]
return this.checkLanguage(subpage, mw.language.getContentLanguage():getCode())
end
function this.title(namespace, basepagename, subpage)
local message, title
local pagename = basepagename
if (subpage or '') ~= ''
then
pagename = pagename .. '/' .. subpage
end
local valid, title = xpcall(function()
return mw.title.new(pagename, namespace) -- costly
end, function(msg) -- catch undocumented exception (!?)
-- thrown when namespace does not exist. The doc still
-- says it should return a title, even in that case...
message = msg
end)
if valid and title ~= nil and (title.id or 0) ~= 0
then
return title
end
return { -- "pseudo" mw.title object with id = nil in case of error
prefixedText = pagename, -- the only property we need below
message = message -- only for debugging
}
end
--[[If on a translation subpage (like Foobar/de), this function returns
a given template in the same language, if the translation is available.
Otherwise, the template is returned in its default language, without
modification.
This is aimed at replacing the current implementation of Template:TNTN.
This version does not expand the returned template name: this solves the
problem of self-recursion in TNT when translatable templates need themselves
to transclude other translable templates (such as Tnavbar).
]]
function this.getTranslatedTemplate(frame, withStatus)
local args = frame.args
local pagename = args['template']
--[[Check whether the pagename is actually in the Template namespace, or
if we're transcluding a main-namespace page.
(added for backward compatibility of Template:TNT)
]]
local title
local namespace = args['tntns'] or ''
if (namespace ~= '') -- Checks for tntns parameter for custom ns.
then
title = this.title(namespace, pagename) -- Costly
else -- Supposes that set page is in ns10.
namespace = 'Template'
title = this.title(namespace, pagename) -- Costly
if title.id == nil
then -- not found in the Template namespace, assume the main namespace (for backward compatibility)
namespace = ''
title = this.title(namespace, pagename) -- Costly
end
end
-- Get the last subpage and check if it matches a known language code.
local subpage = args['uselang'] or ''
if (subpage == '')
then
subpage = this.getCurrentLanguageSubpage()
end
if (subpage == '')
then
-- Check if a translation of the pagename exists in English
local newtitle = this.title(namespace, pagename, 'en') -- Costly
-- Use the translation when it exists
if newtitle.id ~= nil
then
title = newtitle
end
else
-- Check if a translation of the pagename exists in that language
local newtitle = this.title(namespace, pagename, subpage) -- Costly
if newtitle.id == nil
then
-- Check if a translation of the pagename exists in English
newtitle = this.title(namespace, pagename, 'en') -- Costly
end
-- Use the translation when it exists
if newtitle.id ~= nil
then
title = newtitle
end
end
-- At this point the title should exist
if withStatus then
-- status returned to Lua function below
return title.prefixedText, title.id ~= nil
else
-- returned directly to MediaWiki
return title.prefixedText
end
end
--[[If on a translation subpage (like Foobar/de), this function renders
a given template in the same language, if the translation is available.
Otherwise, the template is rendered in its default language, without
modification.
This is aimed at replacing the current implementation of Template:TNT.
Note that translatable templates cannot transclude themselves other
translatable templates, as it will recurse on TNT. Use TNTN instead
to return only the effective template name to expand externally, with
template parameters also provided externally.
]]
function this.renderTranslatedTemplate(frame)
local title, found = this.getTranslatedTemplate(frame, true)
-- At this point the title should exist prior to performing the expansion
-- of the template, otherwise render a red link to the missing page
-- (resolved in its assumed namespace). If we don't tet this here, a
-- script error would be thrown. Returning a red link is consistant with
-- MediaWiki behavior when attempting to transclude inexistant templates.
if not found then
return '[[' .. title .. ']]'
end
-- Copy args pseudo-table to a proper table so we can feed it to expandTemplate.
-- Then render the pagename.
local args = frame.args
local pargs = (frame:getParent() or {}).args
local arguments = {}
if (args['noshift'] or '') == ''
then
for k, v in pairs(pargs) do
-- numbered args >= 1 need to be shifted
local n = tonumber(k) or 0
if (n > 0)
then
if (n >= 2)
then
arguments[n - 1] = v
end
else
arguments[k] = v
end
end
else -- special case where TNT is used as autotranslate
-- (don't shift again what is shifted in the invokation)
for k, v in pairs(pargs) do
arguments[k] = v
end
end
arguments['template'] = title -- override the existing parameter of the base template name supplied with the full name of the actual template expanded
arguments['tntns'] = nil -- discard the specified namespace override
arguments['uselang'] = args['uselang'] -- argument forwarded into parent frame
arguments['noshift'] = args['noshift'] -- argument forwarded into parent frame
return frame:expandTemplate{title = ':' .. title, args = arguments}
end
--[[A helper for mocking TNT in Special:TemplateSandbox. TNT breaks
TemplateSandbox; mocking it with this method means templates won't be
localized but at least TemplateSandbox substitutions will work properly.
Won't work with complex uses.
]]
function this.mockTNT(frame)
local pargs = (frame:getParent() or {}).args
local arguments = {}
for k, v in pairs(pargs) do
-- numbered args >= 1 need to be shifted
local n = tonumber(k) or 0
if (n > 0)
then
if (n >= 2)
then
arguments[n - 1] = v
end
else
arguments[k] = v
end
end
if not pargs[1]
then
return ''
end
return frame:expandTemplate{title = 'Template:' .. pargs[1], args = arguments}
end
return this
d8b891aad5c405bb237bd0a79d564ccb6b8e946b
Module:Message box/ombox.css
828
135
411
2021-07-15T19:28:43Z
mw>ExE Boss
0
Fix {{[[Template:Ombox|Ombox]]|small=1}} styles comment
text
text/plain
/**
* {{ombox}} (other pages message box) styles
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
table.ombox {
margin: 4px 10%;
border-collapse: collapse;
/* Default "notice" gray */
border: 1px solid #a2a9b1;
background-color: #f8f9fa;
box-sizing: border-box;
}
/* An empty narrow cell */
.ombox td.mbox-empty-cell {
border: none;
padding: 0;
width: 1px;
}
/* The message body cell(s) */
.ombox th.mbox-text,
.ombox td.mbox-text {
border: none;
/* 0.9em left/right */
padding: 0.25em 0.9em;
/* Make all mboxes the same width regardless of text length */
width: 100%;
}
/* The left image cell */
.ombox td.mbox-image {
border: none;
text-align: center;
/* 0.9em left, 0px right */
/* @noflip */
padding: 2px 0 2px 0.9em;
}
/* The right image cell */
.ombox td.mbox-imageright {
border: none;
text-align: center;
/* 0px left, 0.9em right */
/* @noflip */
padding: 2px 0.9em 2px 0;
}
table.ombox-notice {
/* Gray */
border-color: #a2a9b1;
}
table.ombox-speedy {
/* Pink */
background-color: #fee7e6;
}
table.ombox-speedy,
table.ombox-delete {
/* Red */
border-color: #b32424;
border-width: 2px;
}
table.ombox-content {
/* Orange */
border-color: #f28500;
}
table.ombox-style {
/* Yellow */
border-color: #fc3;
}
table.ombox-move {
/* Purple */
border-color: #9932cc;
}
table.ombox-protection {
/* Gray-gold */
border-color: #a2a9b1;
border-width: 2px;
}
/**
* {{ombox|small=1}} styles
*
* These ".mbox-small" classes must be placed after all other
* ".ombox" classes. "html body.mediawiki .ombox"
* is so they apply only to other page message boxes.
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
/* For the "small=yes" option. */
html body.mediawiki .ombox.mbox-small {
clear: right;
float: right;
margin: 4px 0 4px 1em;
box-sizing: border-box;
width: 238px;
font-size: 88%;
line-height: 1.25em;
}
e2c21da9b2e5ea3a68e2f5a7432cbfd3cfce80a8
Module:List
828
133
407
2021-07-18T08:36:59Z
mw>ExE Boss
0
Only use main <div> tag when necessary
Scribunto
text/plain
-- This module outputs different kinds of lists. At the moment, bulleted,
-- unbulleted, horizontal, ordered, and horizontal ordered lists are supported.
local libUtil = require('libraryUtil')
local checkType = libUtil.checkType
local mTableTools = require('Module:TableTools')
local p = {}
local listTypes = {
['bulleted'] = true,
['unbulleted'] = true,
['horizontal'] = true,
['ordered'] = true,
['horizontal_ordered'] = true
}
function p.makeListData(listType, args)
-- Constructs a data table to be passed to p.renderList.
local data = {}
-- Classes
data.classes = {}
data.templatestyles = ''
if listType == 'horizontal' or listType == 'horizontal_ordered' then
table.insert(data.classes, 'hlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Flatlist/styles.css' }
}
elseif listType == 'unbulleted' then
table.insert(data.classes, 'plainlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Plainlist/styles.css' }
}
end
table.insert(data.classes, args.class)
-- Main div style
data.style = args.style
-- Indent for horizontal lists
if listType == 'horizontal' or listType == 'horizontal_ordered' then
local indent = tonumber(args.indent)
indent = indent and indent * 1.6 or 0
if indent > 0 then
data.marginLeft = indent .. 'em'
end
end
-- List style types for ordered lists
-- This could be "1, 2, 3", "a, b, c", or a number of others. The list style
-- type is either set by the "type" attribute or the "list-style-type" CSS
-- property.
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listStyleType = args.list_style_type or args['list-style-type']
data.type = args['type']
-- Detect invalid type attributes and attempt to convert them to
-- list-style-type CSS properties.
if data.type
and not data.listStyleType
and not tostring(data.type):find('^%s*[1AaIi]%s*$')
then
data.listStyleType = data.type
data.type = nil
end
end
-- List tag type
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listTag = 'ol'
else
data.listTag = 'ul'
end
-- Start number for ordered lists
data.start = args.start
if listType == 'horizontal_ordered' then
-- Apply fix to get start numbers working with horizontal ordered lists.
local startNum = tonumber(data.start)
if startNum then
data.counterReset = 'listitem ' .. tostring(startNum - 1)
end
end
-- List style
-- ul_style and ol_style are included for backwards compatibility. No
-- distinction is made for ordered or unordered lists.
data.listStyle = args.list_style
-- List items
-- li_style is included for backwards compatibility. item_style was included
-- to be easier to understand for non-coders.
data.itemStyle = args.item_style or args.li_style
data.items = {}
for i, num in ipairs(mTableTools.numKeys(args)) do
local item = {}
item.content = args[num]
item.style = args['item' .. tostring(num) .. '_style']
or args['item_style' .. tostring(num)]
item.value = args['item' .. tostring(num) .. '_value']
or args['item_value' .. tostring(num)]
table.insert(data.items, item)
end
return data
end
function p.renderList(data)
-- Renders the list HTML.
-- Return the blank string if there are no list items.
if type(data.items) ~= 'table' or #data.items < 1 then
return ''
end
-- Render the main div tag.
local root = mw.html.create((
#data.classes > 0
or data.marginLeft
or data.style
) and 'div' or nil)
for i, class in ipairs(data.classes or {}) do
root:addClass(class)
end
root:css{['margin-left'] = data.marginLeft}
if data.style then
root:cssText(data.style)
end
-- Render the list tag.
local list = root:tag(data.listTag or 'ul')
list
:attr{start = data.start, type = data.type}
:css{
['counter-reset'] = data.counterReset,
['list-style-type'] = data.listStyleType
}
if data.listStyle then
list:cssText(data.listStyle)
end
-- Render the list items
for i, t in ipairs(data.items or {}) do
local item = list:tag('li')
if data.itemStyle then
item:cssText(data.itemStyle)
end
if t.style then
item:cssText(t.style)
end
item
:attr{value = t.value}
:wikitext(t.content)
end
return data.templatestyles .. tostring(root)
end
function p.makeList(listType, args)
if not listType or not listTypes[listType] then
error(string.format(
"bad argument #1 to 'makeList' ('%s' is not a valid list type)",
tostring(listType)
), 2)
end
checkType('makeList', 2, args, 'table')
local data = p.makeListData(listType, args)
return p.renderList(data)
end
for listType in pairs(listTypes) do
p[listType] = function (frame)
local mArguments = require('Module:Arguments')
local origArgs = mArguments.getArgs(frame)
-- Copy all the arguments to a new table, for faster indexing.
local args = {}
for k, v in pairs(origArgs) do
args[k] = v
end
return p.makeList(listType, args)
end
end
return p
d701c0798e541793aa5ed1e9af50fc3b20548907
Template:Navbox/doc
10
154
449
2021-07-19T04:14:56Z
mw>Pppery
0
Remove [[:Category:Exclude in print]], category is being deleted and hasn't had any effect in years
wikitext
text/x-wiki
{{documentation subpage}}
{{lua|Module:Navbox}}
{{High-risk}}
This template allows a [[Help:Templates|navigational template]] to be set up relatively quickly by supplying it one or more lists of links. It comes equipped with default styles that should work for most navigational templates. Changing the default styles is not recommended, but is possible. Using this template, or one of its "Navbox suite" sister templates, is highly recommended for standardization of navigational templates, and for ease of use.
== Usage ==
Please remove the parameters that are left blank.
<pre style="overflow:auto;">{{Navbox
|bodyclass =
|name = {{subst:PAGENAME}}
|title =
|titlestyle =
|image =
|above =
|group1 =
|list1 =
|group2 =
|list2 =
...
|group20 =
|list20 =
|below =
}}</pre>
== Parameter list ==
{{Navbox
|name = {{BASEPAGENAME}}
|state = uncollapsed
|image = {{{image}}}
|title = {{{title}}}
|above = {{{above}}}
|group1 = {{{group1}}}
|list1 = {{{list1}}}
|group2 = {{{group2}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}} ''without {{{group3}}}''
|group4 = {{{group4}}}
|list4 = {{{list4}}}
|below = {{{below}}}<br />See alternate navbox formats under: [[#Layout of table|''Layout of table'']]
}}
The navbox uses lowercase parameter names, as shown in the box (''at right''). The mandatory ''name'' and ''title'' will create a one-line box if other parameters are omitted.
Notice "group1" (etc.) is optional, as are sections named "above/below".
{{-}}
The basic and most common parameters are as follows (see below for the full list):
:<code>bodyclass -</code> applies an HTML <code>class</code> attribute to the entire navbox.
:<code>name -</code> the name of the template.
:<code>title -</code> text in the title bar, such as: <nowiki>[[Widget stuff]]</nowiki>.
:<code>titleclass -</code> applies an HTML <code>class</code> attribute to the title bar.
:<code>state - autocollapse, uncollapsed, collapsed</code>: the status of box expansion, where "autocollapse" hides stacked navboxes automatically.
:<code>titlestyle - </code>a CSS style for the title-bar, such as: <code>background:gray;</code>
:<code>groupstyle - </code>a CSS style for the group-cells, such as: <code>background:#eee;</code>
:<code>image - </code>an optional right-side image, coded as the whole image. Typically it is purely decorative, so it should be coded as <code><nowiki>[[Image:</nowiki><var>XX</var><nowiki>.jpg|90px|link=|alt=]]</nowiki></code>.
:<code>imageleft - </code>an optional left-side image (code the same as the "image" parameter).
:<code>above - </code>text to appear above the group/list section (could be a list of overall wikilinks).
:<code>group<sub>n</sub> - </code>the left-side text before list-n (if group-n omitted, list-n starts at left of box).
:<code>list<sub>n</sub> - </code>text listing wikilinks, often separated by middot templates, such as: [<nowiki />[A]]<code>{<nowiki />{·}}</code> [<nowiki />[B]]
:<code>below - </code>optional text to appear below the group/list section.
Further details, and complex restrictions, are explained below under section ''[[#Parameter descriptions|Parameter descriptions]]''. See some alternate navbox formats under: [[#Layout of table|''Layout of table'']].
== Parameter descriptions ==
The following is a complete list of parameters for using {{tl|Navbox}}. In most cases, the only required parameters are <code>name</code>, <code>title</code>, and <code>list1</code>, though [[Template:Navbox/doc#Child navboxes|child navboxes]] do not even require those to be set.
{{tl|Navbox}} shares numerous common parameter names as its sister templates {{tl|Navbox with columns}} and {{tl|Navbox with collapsible groups}} for consistency and ease of use. Parameters marked with an asterisk <nowiki>*</nowiki> are common to all three master templates.
=== Setup parameters ===
:; ''name''<nowiki>*</nowiki>
:: The name of the template, which is needed for the "v{{·}} d{{·}} e" ("view{{·}} discuss{{·}} edit") links to work properly on all pages where the template is used. You can enter <code><nowiki>{{subst:PAGENAME}}</nowiki></code> for this value as a shortcut. The name parameter is only mandatory if a <code>title</code> is specified, and the <code>border</code> parameter is not set.
:; ''state''<nowiki>*</nowiki> <span style="font-weight:normal;">[<code>autocollapse, uncollapsed, collapsed, plain, off</code>]</span>
:* Defaults to <code>autocollapse</code>. A navbox with <code>autocollapse</code> will start out collapsed if there are two or more tables on the same page that use other collapsible tables. Otherwise, the navbox will be expanded. For the technically minded, see {{Blue|MediaWiki:Common.js}}.
:* If set to <code>collapsed</code>, the navbox will always start out in a collapsed state.
:* If set to <code>plain</code>, the navbox will always be expanded with no [hide] link on the right, and the title will remain centered (by using padding to offset the <small>v • d • e</small> links).
:* If set to <code>off</code>, the navbox will always be expanded with no [hide] link on the right, but no padding will be used to keep the title centered. This is for advanced use only; the "plain" option should suffice for most applications where the [show]/[hide] button needs to be hidden.
:*If set to anything other than <code>autocollapse</code>, <code>collapsed</code>, <code>plain</code>, or <code>off</code> (such as "uncollapsed"), the navbox will always start out in an expanded state, but have the "hide" button.
: To show the box when standalone (non-included) but then auto-hide contents when in an article, put "uncollapsed" inside <noinclude> tags:
:* <code>state = </code><nowiki><noinclude>uncollapsed</noinclude></nowiki>
:* That setting will force the box visible when standalone (even when followed by other boxes), displaying "[hide]" but then auto-collapse the box when stacked inside an article.
: Often times, editors will want a default initial state for a navbox, which may be overridden in an article. Here is the trick to do this:
:*In your intermediate template, create a parameter also named "state" as a pass-through like this:
:*<code><nowiki>| state = {{{state<includeonly>|your_desired_initial_state</includeonly>}}}</nowiki></code>
:*The <nowiki><includeonly>|</nowiki> will make the template expanded when viewing the template page by itself.
:; ''navbar''<nowiki>*</nowiki>
:: Defaults to <code>Tnavbar</code>. If set to <code>plain</code>, the <small>v • d • e</small> links on the left side of the titlebar will not be displayed, and padding will be automatically used to keep the title centered. Use <code>off</code> to remove the <small>v • d • e</small> links, but not apply padding (this is for advanced use only; the "plain" option should suffice for most applications where a navbar is not desired). Note that it is highly recommended that one does not hide the navbar, in order to make it easier for users to edit the template, and to keep a standard style across pages.
:; ''border''<nowiki>*</nowiki>
:: ''See section below on using navboxes within one another for examples and a more complete description.'' If set to <code>child</code> or <code>subgroup</code>, then the navbox can be used as a borderless child that fits snuggly in another navbox. The border is hidden and there is no padding on the sides of the table, so it fits into the ''list'' area of its parent navbox. If set to <code>none</code>, then the border is hidden and padding is removed, and the navbox may be used as a child of another container (do not use the <code>none</code> option inside of another navbox; similarly, only use the <code>child</code>/<code>subgroup</code> option inside of another navbox). If set to anything else (default), then a regular navbox is displayed with a 1px border. An alternate way to specify the border to be a subgroup style is like this (i.e. use the first unnamed parameter instead of the named ''border'' parameter):
:::<code><nowiki>{{Navbox|child</nowiki></code>
::::<code>...</code>
:::<code><nowiki>}}</nowiki></code>
=== Cells ===
:; ''title''<nowiki>*</nowiki>
:: Text that appears centered in the top row of the table. It is usually the template's topic, i.e. a succinct description of the body contents. This should be a single line, but if a second line is needed, use <code><nowiki>{{-}}</nowiki></code> to ensure proper centering. This parameter is technically not mandatory, but using {{tl|Navbox}} is rather pointless without a title.
:; ''group<sub>n</sub>''<nowiki>*</nowiki>
:: (i.e. ''group1'', ''group2'', etc.) If specified, text appears in a header cell displayed to the left of ''list<sub>n</sub>''. If omitted, ''list<sub>n</sub>'' uses the full width of the table.
:; ''list<sub>n</sub>''<nowiki>*</nowiki>
:: (i.e. ''list1'', ''list2'', etc.) The body of the template, usually a list of links. Format is inline, although the text can be entered on separate lines if the entire list is enclosed within <code><nowiki><div> </div></nowiki></code>. At least one ''list'' parameter is required; each additional ''list'' is displayed in a separate row of the table. Each ''list<sub>n</sub>'' may be preceded by a corresponding ''group<sub>n</sub>'' parameter, if provided (see below).
:; ''image''<nowiki>*</nowiki>
:: An image to be displayed in a cell below the title and to the right of the body (the groups/lists). For the image to display properly, the ''list1'' parameter must be specified. The ''image'' parameter accepts standard wikicode for displaying an image, ''e.g.'':
::: <code><nowiki>[[Image:</nowiki><var>XX</var><nowiki>.jpg|90px|link=|alt=]]</nowiki></code>
:; ''imageleft''<nowiki>*</nowiki>
:: An image to be displayed in a cell below the title and to the left of the body (lists). For the image to display properly, the ''list1'' parameter must be specified and no groups can be specified. It accepts the same sort of parameter that ''image'' accepts.
:; ''above''<nowiki>*</nowiki>
:: A full-width cell displayed between the titlebar and first group/list, i.e. ''above'' the template's body (groups, lists and image). In a template without an image, ''above'' behaves in the same way as the ''list1'' parameter without the ''group1'' parameter.
:; ''below''<nowiki>*</nowiki>
:: A full-width cell displayed ''below'' the template's body (groups, lists and image). In a template without an image, ''below'' behaves in the same way as the template's final ''list<sub>n</sub>'' parameter without a ''group<sub>n</sub>'' parameter.
=== Style parameters ===
Styles are generally not recommended as to maintain consistency among templates and pages in Wikipedia. However, the option to modify styles is given.
:; ''style''<nowiki>*</nowiki>
:: Specifies CSS styles to apply to the template body. The parameter ''bodystyle'' also does the example same thing and can be used in place of this ''style'' parameter. This option should be used sparingly as it can lead to visual inconsistencies. Examples:
::: <code>style = background:#''nnnnnn'';</code>
::: <code>style = width:''N'' [em/%/px or width:auto];</code>
::: <code>style = float:[''left/right/none''];</code>
::: <code>style = clear:[''right/left/both/none''];</code>
:; ''basestyle''<nowiki>*</nowiki>
:: CSS styles to apply to the ''title'', ''above'', ''below'', and ''group'' cells all at once. The style are not applied to ''list'' cells. This is convenient for easily changing the basic color of the navbox without having to repeat the style specifications for the different parts of the navbox. Examples:
::: <code>basestyle = background:lightskyblue;</code>
:; ''titlestyle''<nowiki>*</nowiki>
:: CSS styles to apply to ''title'', most often the titlebar's background color:
::: <code><nowiki>titlestyle = background:</nowiki>''#nnnnnn'';</code>
::: <code><nowiki>titlestyle = background:</nowiki>''name'';</code>
:; ''groupstyle''<nowiki>*</nowiki>
:: CSS styles to apply to the ''groupN'' cells. This option overrides any styles that are applied to the entire table. Examples:
::: <code>groupstyle = background:#''nnnnnn'';</code>
::: <code>groupstyle = text-align:[''left/center/right''];</code>
::: <code>groupstyle = vertical-align:[''top/middle/bottom''];</code>
:; ''group<sub>n</sub>style''<nowiki>*</nowiki>
:: CSS styles to apply to a specific group, in addition to any styles specified by the ''groupstyle'' parameter. This parameter should only be used when absolutely necessary in order to maintain standardization and simplicity. Examples:
::: <code>group3style = background:red;color:white;</code>
:; ''liststyle''<nowiki>*</nowiki>
:: CSS styles to apply to all lists. Overruled by the ''oddstyle'' and ''evenstyle'' parameters (if specified) below. When using backgound colors in the navbox, see the [[#Intricacies|note below]].
:; ''list<sub>n</sub>style''<nowiki>*</nowiki>
:: CSS styles to apply to a specific list, in addition to any styles specified by the ''liststyle'' parameter. This parameter should only be used when absolutely necessary in order to maintain standardization and simplicity. Examples:
::: <code>list5style = background:#ddddff;</code>
:; ''listpadding''<nowiki>*</nowiki>
:: A number and unit specifying the padding in each ''list'' cell. The ''list'' cells come equipped with a default padding of 0.25em on the left and right, and 0em on the top and bottom. Due to complex technical reasons, simply setting "liststyle=padding:0.5em;" (or any other padding setting) will not work. Examples:
::: <code>listpadding = 0.5em 0em; </code> (sets 0.5em padding for the left/right, and 0em padding for the top/bottom.)
::: <code>listpadding = 0em; </code> (removes all list padding.)
:; ''oddstyle''
:; ''evenstyle''
::Applies to odd/even list numbers. Overrules styles defined by ''liststyle''. The default behavior is to add striped colors (white and gray) to odd/even rows, respectively, in order to improve readability. These should not be changed except in extraordinary circumstances.
:; ''evenodd'' <span style="font-weight:normal;"><code>[swap, even, odd, off]</code></span>
:: If set to <code>swap</code>, then the automatic striping of even and odd rows is reversed. Normally, even rows get a light gray background for striping; when this parameter is used, the odd rows receive the gray striping instead of the even rows. Setting to <code>even</code> or <code>odd</code> sets all rows to have that striping color. Setting to <code>off</code> disables automatic row striping. This advanced parameter should only be used to fix problems when the navbox is being used as a child of another navbox and the stripes do not match up. Examples and a further description can be found in the section on child navboxes below.
:; ''abovestyle''<nowiki>*</nowiki>
:; ''belowstyle''<nowiki>*</nowiki>
:: CSS styles to apply to the top cell (specified via the ''above'' parameter) and bottom cell (specified via the ''below'' parameter). Typically used to set background color or text alignment:
::: <code>abovestyle = background:#''nnnnnn'';</code>
::: <code>abovestyle = text-align:[''left/center/right''];</code>
:; ''imagestyle''<nowiki>*</nowiki>
:; ''imageleftstyle''<nowiki>*</nowiki>
:: CSS styles to apply to the cells where the image/imageleft sits. These styles should only be used in exceptional circumstances, usually to fix width problems if the width of groups is set and the width of the image cell grows too large. Examples:
::: <code>imagestyle = width:5em;</code>
===== Default styles =====
The style settings listed here are those that editors using the navbox change most often. The other more complex style settings were left out of this list to keep it simple. Most styles are set in {{Blue|MediaWiki:Common.css}}.
:<code>bodystyle = background:#fdfdfd; width:100%; vertical-align:middle;</code>
:<code>titlestyle = background:#ccccff; padding-left:1em; padding-right:1em; text-align:center;</code>
:<code>abovestyle = background:#ddddff; padding-left:1em; padding-right:1em; text-align:center;</code>
:<code>belowstyle = background:#ddddff; padding-left:1em; padding-right:1em; text-align:center;</code>
:<code>groupstyle = background:#ddddff; padding-left:1em; padding-right:1em; text-align:right;</code>
:<code>liststyle = background:transparent; text-align:left/center;</code>
:<code>oddstyle = background:transparent;</code>
:<code>evenstyle = background:#f7f7f7;</code>
Since ''liststyle'' and ''oddstyle'' are transparent odd lists have the color of the ''bodystyle'', which defaults to #fdfdfd (white with a hint of gray). A list has <code>text-align:left;</code> if it has a group, if not it has <code>text-align:center;</code>. Since only ''bodystyle'' has a vertical-align all the others inherit its <code>vertical-align:middle;</code>.
=== Advanced parameters ===
:; ''titlegroup''
:: This puts a group in the title area, with the same default styles as ''group<sub>n</sub>''. It should be used only in exceptional circumstances (usually advanced meta-templates) and its use requires some knowledge of the internal code of {{tl|Navbox}}; you should be ready to manually set up CSS styles to get everything to work properly if you wish to use it. If you think you have an application for this parameter, it might be best to change your mind, or consult the talk page first.
:; ''titlegroupstyle''
:: The styles for the titlegroup cell.
:; ''innerstyle''
:: A very advanced parameter to be used ''only'' for advanced meta-templates employing the navbox. Internally, the navbox uses an outer table to draw the border, and then an inner table for everything else (title/above/groups/lists/below/images, etc.). The ''style''/''bodystyle'' parameter sets the style for the outer table, which the inner table inherits, but in advanced cases (meta-templates) it may be necessary to directly set the style for the inner table. This parameter provides access to that inner table so styles can be applied. Use at your own risk.
====Microformats====
;bodyclass : This parameter is inserted into the "class" attribute for the infobox as a whole.
;titleclass : This parameter is inserted into the "class" attribute for the infobox's title caption.
This template supports the addition of microformat information. This is done by adding "class" attributes to various data cells, indicating what kind of information is contained within. To flag a navbox as containing [[w:hCard|hCard]] information about a person, for example, add the following parameter:
<pre>
|bodyclass = vcard
</pre>
''and''
<pre>
|titleclass = fn
</pre>
''or'' (for example):
<pre><nowiki>
|title = The books of <span class="fn">[[Iain Banks]]</span>
</nowiki></pre>
...and so forth.
== Layout of table ==
Table generated by {{tl|Navbox}} '''without''' ''image'', ''above'' and ''below'' parameters (gray list background color added for illustration only):
{{Navbox
|name = Navbox/doc
|state = uncollapsed
|liststyle = background:silver;
|title = {{{title}}}
|group1 = {{{group1}}}
|list1 = {{{list1}}}
|group2 = {{{group2}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}} ''without {{{group3}}}''
|group4 = {{{group4}}}
|list4 = {{{list4}}}
}}
Table generated by {{tl|Navbox}} '''with''' ''image'', ''above'' and ''below'' parameters (gray list background color added for illustration only):
{{Navbox
|name = Navbox/doc
|state = uncollapsed
|liststyle = background:silver;
|image = {{{image}}}
|title = {{{title}}}
|above = {{{above}}}
|group1 = {{{group1}}}
|list1 = {{{list1}}}
|group2 = {{{group2}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}} ''without {{{group3}}}''
|group4 = {{{group4}}}
|list4 = {{{list4}}}
|below = {{{below}}}
}}
Table generated by {{tl|Navbox}} '''with''' ''image'', ''imageleft'', ''lists'', and '''without''' ''groups'', ''above'', ''below'' (gray list background color added for illustration only):
{{Navbox
|name = Navbox/doc
|state = uncollapsed
|liststyle = background:silver;
|image = {{{image}}}
|imageleft = {{{imageleft}}}
|title = {{{title}}}
|list1 = {{{list1}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}}
|list4 = {{{list4}}}
}}
== Technical details ==
*This template uses CSS classes for most of its looks, thus it is fully skinnable.
*Internally this meta template uses HTML markup instead of wiki markup for the table code. That is the usual way we make meta templates since wiki markup has several drawbacks. For instance it makes it harder to use [[m:Help:ParserFunctions|parser functions]] and special characters in parameters.
*For more technical details see the CSS classes in {{Blue|MediaWiki:Common.css}} and the collapsible table used to hide the box in {{Blue|MediaWiki:Common.js}}.
=== Intricacies ===
*The 2px wide border between groups and lists is drawn using the border-left property of the list cell. Thus, if you wish to change the background color of the template (for example <code>bodystyle = background:purple;</code>), then you'll need to make the border-left-color match the background color (i.e. <code>liststyle = border-left-color:purple;</code>). If you wish to have a border around each list cell, then the 2px border between the list cells and group cells will disappear; you'll have to come up with your own solution.
*The list cell width is initially set to 100%. Thus, if you wish to manually set the width of group cells, you'll need to also specify the liststyle to have width:auto. If you wish to set the group width and use images, it's up to you to figure out the CSS in the groupstyle, liststyle, imagestyle, and imageleftstyle parameters to get everything to work correctly. Example of setting group width:
::<code>groupstyle = width:10em;</code>
::<code>liststyle = width:auto;</code>
*Adjacent navboxes have only a 1 pixel border between them (except in IE6, which doesn't support the necessary CSS). If you set the top or bottom margin of <code>style/bodystyle</code>, then this will not work.
*The default margin-left and margin-right of the outer navbox table are set to "auto;". If you wish to use navbox as a float, you need to manually set the margin-left and margin-right values, because the auto margins interfere with the float option. For example, add the following code to use the navbox as a float:
::<code>style = width:22em;float:right;margin-left:1em;margin-right:0em;</code>
== TemplateData ==
{{TemplateData header}}
<templatedata>
{
"format": "block",
"description": "This template allows a navigational template to be set up relatively quickly by supplying it one or more lists of links.",
"params": {
"image": {
"label": "Image",
"type": "wiki-file-name"
},
"imageleft": {
"label": "Image left",
"type": "wiki-file-name"
},
"name": {
"label": "Template Name",
"description": "The name of the template that creates this navbox.",
"autovalue": "{{subst:PAGENAME}}",
"suggested": true,
"type": "wiki-template-name"
},
"title": {
"label": "Title",
"type": "string"
},
"above": {
"label": "Content above",
"type": "content"
},
"group1": {
"label": "Group #1",
"type": "string"
},
"list1": {
"label": "List #1"
},
"group2": {
"label": "Group 2",
"type": "string"
},
"list2": {
"label": "List #2",
"type": "content"
},
"list3": {
"label": "List #3",
"type": "content"
},
"group3": {
"label": "Group #3",
"type": "string"
},
"group4": {
"label": "Group #4",
"type": "string"
},
"list4": {
"label": "List #4",
"type": "content"
},
"group5": {
"label": "Group #5",
"type": "string"
},
"list5": {
"label": "List #5",
"type": "content"
},
"group6": {
"label": "Group #6",
"type": "string"
},
"list6": {
"label": "List #6",
"type": "content"
},
"group7": {
"label": "Group #7",
"type": "string"
},
"list7": {
"label": "List #7",
"type": "content"
},
"group8": {
"label": "Group #8",
"type": "string"
},
"list8": {
"label": "List #8",
"type": "content"
},
"group9": {
"label": "Group #9",
"type": "string"
},
"list9": {
"label": "List #9",
"type": "content"
},
"group10": {
"label": "Group #10",
"type": "string"
},
"list10": {
"label": "List #10",
"type": "content"
},
"group11": {
"label": "Group #11",
"type": "string"
},
"list11": {
"label": "List #11",
"type": "content"
},
"group12": {
"label": "Group #12",
"type": "string"
},
"list12": {
"label": "List #12",
"type": "content"
},
"group13": {
"label": "Group #13",
"type": "string"
},
"list13": {
"label": "List #13",
"type": "content"
},
"group14": {
"label": "Group #14",
"type": "string"
},
"list14": {
"label": "List #14",
"type": "content"
},
"group15": {
"label": "Group #15",
"type": "string"
},
"list15": {
"label": "List #15",
"type": "content"
},
"group16": {
"label": "Group #16",
"type": "string"
},
"list16": {
"label": "List #16",
"type": "content"
},
"group17": {
"label": "Group #17",
"type": "string"
},
"list17": {
"label": "List #17",
"type": "content"
},
"group18": {
"label": "Group #18",
"type": "string"
},
"list18": {
"label": "List #18",
"type": "content"
},
"group19": {
"label": "Group #19",
"type": "string"
},
"list19": {
"label": "List #19",
"type": "content"
},
"group20": {
"label": "Group #20",
"type": "string"
},
"list20": {
"label": "List #20",
"type": "content"
},
"below": {
"label": "Content below",
"type": "content"
}
},
"paramOrder": [
"name",
"title",
"image",
"imageleft",
"above",
"group1",
"list1",
"group2",
"list2",
"group3",
"list3",
"group4",
"list4",
"group5",
"list5",
"group6",
"list6",
"group7",
"list7",
"group8",
"list8",
"group9",
"list9",
"group10",
"list10",
"group11",
"list11",
"group12",
"list12",
"group13",
"list13",
"group14",
"list14",
"group15",
"list15",
"group16",
"list16",
"group17",
"list17",
"group18",
"list18",
"group19",
"list19",
"group20",
"list20",
"below"
]
}
</templatedata>
<includeonly>{{Sandbox other||
<!--Categories-->
[[Category:Formatting templates| ]]
<!--Other languages-->
}}</includeonly>
8421f883c907619e74589cf70e7d4309f21d9dfd
Module:Documentation
828
129
399
2021-07-31T13:40:54Z
mw>Tacsipacsi
0
Undo revision 4731418 by [[Special:Contributions/Shirayuki|Shirayuki]] ([[User talk:Shirayuki|talk]]): templates on mediawiki.org use page language, not UI language, and it’s perfectly okay that way
Scribunto
text/plain
-- This module implements {{documentation}}.
-- Get required modules.
local getArgs = require('Module:Arguments').getArgs
local messageBox = require('Module:Message box')
-- Get the config table.
local cfg = mw.loadData('Module:Documentation/config')
local i18n = mw.loadData('Module:Documentation/i18n')
local p = {}
-- Often-used functions.
local ugsub = mw.ustring.gsub
----------------------------------------------------------------------------
-- Helper functions
--
-- These are defined as local functions, but are made available in the p
-- table for testing purposes.
----------------------------------------------------------------------------
local function message(cfgKey, valArray, expectType)
--[[
-- Gets a message from the cfg table and formats it if appropriate.
-- The function raises an error if the value from the cfg table is not
-- of the type expectType. The default type for expectType is 'string'.
-- If the table valArray is present, strings such as $1, $2 etc. in the
-- message are substituted with values from the table keys [1], [2] etc.
-- For example, if the message "foo-message" had the value 'Foo $2 bar $1.',
-- message('foo-message', {'baz', 'qux'}) would return "Foo qux bar baz."
--]]
local msg = cfg[cfgKey]
expectType = expectType or 'string'
if type(msg) ~= expectType then
error(require('Module:TNT').format('I18n/Documentation', 'cfg-error-msg-type', cfgKey, expectType, type(msg)), 2)
end
if not valArray then
return msg
end
local function getMessageVal(match)
match = tonumber(match)
return valArray[match] or error(require('Module:TNT').format('I18n/Documentation', 'cfg-error-msg-empty', '$' .. match, cfgKey), 4)
end
local ret = ugsub(msg, '$([1-9][0-9]*)', getMessageVal)
return ret
end
p.message = message
local function makeWikilink(page, display)
if display then
return mw.ustring.format('[[%s|%s]]', page, display)
else
return mw.ustring.format('[[%s]]', page)
end
end
p.makeWikilink = makeWikilink
local function makeCategoryLink(cat, sort)
local catns = mw.site.namespaces[14].name
return makeWikilink(catns .. ':' .. cat, sort)
end
p.makeCategoryLink = makeCategoryLink
local function makeUrlLink(url, display)
return mw.ustring.format('[%s %s]', url, display)
end
p.makeUrlLink = makeUrlLink
local function makeToolbar(...)
local ret = {}
local lim = select('#', ...)
if lim < 1 then
return nil
end
for i = 1, lim do
ret[#ret + 1] = select(i, ...)
end
return '<small style="font-style: normal;">(' .. table.concat(ret, ' | ') .. ')</small>'
end
p.makeToolbar = makeToolbar
----------------------------------------------------------------------------
-- Argument processing
----------------------------------------------------------------------------
local function makeInvokeFunc(funcName)
return function (frame)
local args = getArgs(frame, {
valueFunc = function (key, value)
if type(value) == 'string' then
value = value:match('^%s*(.-)%s*$') -- Remove whitespace.
if key == 'heading' or value ~= '' then
return value
else
return nil
end
else
return value
end
end
})
return p[funcName](args)
end
end
----------------------------------------------------------------------------
-- Load TemplateStyles
----------------------------------------------------------------------------
p.main = function(frame)
local parent = frame.getParent(frame)
local output = p._main(parent.args)
return frame:extensionTag{ name='templatestyles', args = { src= message('templatestyles-scr') } } .. output
end
----------------------------------------------------------------------------
-- Main function
----------------------------------------------------------------------------
function p._main(args)
--[[
-- This function defines logic flow for the module.
-- @args - table of arguments passed by the user
--
-- Messages:
-- 'main-div-id' --> 'template-documentation'
-- 'main-div-classes' --> 'template-documentation iezoomfix'
--]]
local env = p.getEnvironment(args)
local root = mw.html.create()
root
:wikitext(p.protectionTemplate(env))
:wikitext(p.sandboxNotice(args, env))
-- This div tag is from {{documentation/start box}}, but moving it here
-- so that we don't have to worry about unclosed tags.
:tag('div')
:attr('id', message('main-div-id'))
:addClass(message('main-div-class'))
:wikitext(p._startBox(args, env))
:wikitext(p._content(args, env))
:done()
:wikitext(p._endBox(args, env))
:wikitext(p.addTrackingCategories(env))
return tostring(root)
end
----------------------------------------------------------------------------
-- Environment settings
----------------------------------------------------------------------------
function p.getEnvironment(args)
--[[
-- Returns a table with information about the environment, including title objects and other namespace- or
-- path-related data.
-- @args - table of arguments passed by the user
--
-- Title objects include:
-- env.title - the page we are making documentation for (usually the current title)
-- env.templateTitle - the template (or module, file, etc.)
-- env.docTitle - the /doc subpage.
-- env.sandboxTitle - the /sandbox subpage.
-- env.testcasesTitle - the /testcases subpage.
-- env.printTitle - the print version of the template, located at the /Print subpage.
--
-- Data includes:
-- env.protectionLevels - the protection levels table of the title object.
-- env.subjectSpace - the number of the title's subject namespace.
-- env.docSpace - the number of the namespace the title puts its documentation in.
-- env.docpageBase - the text of the base page of the /doc, /sandbox and /testcases pages, with namespace.
-- env.compareUrl - URL of the Special:ComparePages page comparing the sandbox with the template.
--
-- All table lookups are passed through pcall so that errors are caught. If an error occurs, the value
-- returned will be nil.
--]]
local env, envFuncs = {}, {}
-- Set up the metatable. If triggered we call the corresponding function in the envFuncs table. The value
-- returned by that function is memoized in the env table so that we don't call any of the functions
-- more than once. (Nils won't be memoized.)
setmetatable(env, {
__index = function (t, key)
local envFunc = envFuncs[key]
if envFunc then
local success, val = pcall(envFunc)
if success then
env[key] = val -- Memoise the value.
return val
end
end
return nil
end
})
function envFuncs.title()
-- The title object for the current page, or a test page passed with args.page.
local title
local titleArg = args.page
if titleArg then
title = mw.title.new(titleArg)
else
title = mw.title.getCurrentTitle()
end
return title
end
function envFuncs.templateTitle()
--[[
-- The template (or module, etc.) title object.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
-- 'testcases-subpage' --> 'testcases'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local subpage = title.subpageText
if subpage == message('sandbox-subpage') or subpage == message('testcases-subpage') then
return mw.title.makeTitle(subjectSpace, title.baseText)
else
return mw.title.makeTitle(subjectSpace, title.text)
end
end
function envFuncs.docTitle()
--[[
-- Title object of the /doc subpage.
-- Messages:
-- 'doc-subpage' --> 'doc'
--]]
local title = env.title
local docname = args[1] -- User-specified doc page.
local docpage
if docname then
docpage = docname
else
docpage = env.docpageBase .. '/' .. message('doc-subpage')
end
return mw.title.new(docpage)
end
function envFuncs.sandboxTitle()
--[[
-- Title object for the /sandbox subpage.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('sandbox-subpage'))
end
function envFuncs.testcasesTitle()
--[[
-- Title object for the /testcases subpage.
-- Messages:
-- 'testcases-subpage' --> 'testcases'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('testcases-subpage'))
end
function envFuncs.printTitle()
--[[
-- Title object for the /Print subpage.
-- Messages:
-- 'print-subpage' --> 'Print'
--]]
return env.templateTitle:subPageTitle(message('print-subpage'))
end
function envFuncs.protectionLevels()
-- The protection levels table of the title object.
return env.title.protectionLevels
end
function envFuncs.subjectSpace()
-- The subject namespace number.
return mw.site.namespaces[env.title.namespace].subject.id
end
function envFuncs.docSpace()
-- The documentation namespace number. For most namespaces this is the same as the
-- subject namespace. However, pages in the Article, File, MediaWiki or Category
-- namespaces must have their /doc, /sandbox and /testcases pages in talk space.
local subjectSpace = env.subjectSpace
if subjectSpace == 0 or subjectSpace == 6 or subjectSpace == 8 or subjectSpace == 14 then
return subjectSpace + 1
else
return subjectSpace
end
end
function envFuncs.docpageBase()
-- The base page of the /doc, /sandbox, and /testcases subpages.
-- For some namespaces this is the talk page, rather than the template page.
local templateTitle = env.templateTitle
local docSpace = env.docSpace
local docSpaceText = mw.site.namespaces[docSpace].name
-- Assemble the link. docSpace is never the main namespace, so we can hardcode the colon.
return docSpaceText .. ':' .. templateTitle.text
end
function envFuncs.compareUrl()
-- Diff link between the sandbox and the main template using [[Special:ComparePages]].
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
if templateTitle.exists and sandboxTitle.exists then
local compareUrl = mw.uri.fullUrl(
'Special:ComparePages',
{page1 = templateTitle.prefixedText, page2 = sandboxTitle.prefixedText}
)
return tostring(compareUrl)
else
return nil
end
end
return env
end
----------------------------------------------------------------------------
-- Auxiliary templates
----------------------------------------------------------------------------
function p.sandboxNotice(args, env)
--[=[
-- Generates a sandbox notice for display above sandbox pages.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'sandbox-notice-image' --> '[[Image:Sandbox.svg|50px|alt=|link=]]'
-- 'sandbox-notice-blurb' --> 'This is the $1 for $2.'
-- 'sandbox-notice-diff-blurb' --> 'This is the $1 for $2 ($3).'
-- 'sandbox-notice-pagetype-template' --> '[[w:Wikipedia:Template test cases|template sandbox]] page'
-- 'sandbox-notice-pagetype-module' --> '[[w:Wikipedia:Template test cases|module sandbox]] page'
-- 'sandbox-notice-pagetype-other' --> 'sandbox page'
-- 'sandbox-notice-compare-link-display' --> 'diff'
-- 'sandbox-notice-testcases-blurb' --> 'See also the companion subpage for $1.'
-- 'sandbox-notice-testcases-link-display' --> 'test cases'
-- 'sandbox-category' --> 'Template sandboxes'
--]=]
local title = env.title
local sandboxTitle = env.sandboxTitle
local templateTitle = env.templateTitle
local subjectSpace = env.subjectSpace
if not (subjectSpace and title and sandboxTitle and templateTitle and mw.title.equals(title, sandboxTitle)) then
return nil
end
-- Build the table of arguments to pass to {{ombox}}. We need just two fields, "image" and "text".
local omargs = {}
omargs.image = message('sandbox-notice-image')
-- Get the text. We start with the opening blurb, which is something like
-- "This is the template sandbox for [[Template:Foo]] (diff)."
local text = ''
local frame = mw.getCurrentFrame()
local isPreviewing = frame:preprocess('{{REVISIONID}}') == '' -- True if the page is being previewed.
local pagetype
if subjectSpace == 10 then
pagetype = message('sandbox-notice-pagetype-template')
elseif subjectSpace == 828 then
pagetype = message('sandbox-notice-pagetype-module')
else
pagetype = message('sandbox-notice-pagetype-other')
end
local templateLink = makeWikilink(templateTitle.prefixedText)
local compareUrl = env.compareUrl
if isPreviewing or not compareUrl then
text = text .. message('sandbox-notice-blurb', {pagetype, templateLink})
else
local compareDisplay = message('sandbox-notice-compare-link-display')
local compareLink = makeUrlLink(compareUrl, compareDisplay)
text = text .. message('sandbox-notice-diff-blurb', {pagetype, templateLink, compareLink})
end
-- Get the test cases page blurb if the page exists. This is something like
-- "See also the companion subpage for [[Template:Foo/testcases|test cases]]."
local testcasesTitle = env.testcasesTitle
if testcasesTitle and testcasesTitle.exists then
if testcasesTitle.contentModel == "Scribunto" then
local testcasesLinkDisplay = message('sandbox-notice-testcases-link-display')
local testcasesRunLinkDisplay = message('sandbox-notice-testcases-run-link-display')
local testcasesLink = makeWikilink(testcasesTitle.prefixedText, testcasesLinkDisplay)
local testcasesRunLink = makeWikilink(testcasesTitle.talkPageTitle.prefixedText, testcasesRunLinkDisplay)
text = text .. '<br />' .. message('sandbox-notice-testcases-run-blurb', {testcasesLink, testcasesRunLink})
else
local testcasesLinkDisplay = message('sandbox-notice-testcases-link-display')
local testcasesLink = makeWikilink(testcasesTitle.prefixedText, testcasesLinkDisplay)
text = text .. '<br />' .. message('sandbox-notice-testcases-blurb', {testcasesLink})
end
end
-- Add the sandbox to the sandbox category.
text = text .. makeCategoryLink(message('sandbox-category'))
omargs.text = text
omargs.class = message('sandbox-class')
local ret = '<div style="clear: both;"></div>'
ret = ret .. messageBox.main('ombox', omargs)
return ret
end
function p.protectionTemplate(env)
-- Generates the padlock icon in the top right.
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'protection-template' --> 'pp-template'
-- 'protection-template-args' --> {docusage = 'yes'}
local title = env.title
local protectionLevels
local protectionTemplate = message('protection-template')
local namespace = title.namespace
if not (protectionTemplate and (namespace == 10 or namespace == 828)) then
-- Don't display the protection template if we are not in the template or module namespaces.
return nil
end
protectionLevels = env.protectionLevels
if not protectionLevels then
return nil
end
local editLevels = protectionLevels.edit
local moveLevels = protectionLevels.move
if moveLevels and moveLevels[1] == 'sysop' or editLevels and editLevels[1] then
-- The page is full-move protected, or full, template, or semi-protected.
local frame = mw.getCurrentFrame()
return frame:expandTemplate{title = protectionTemplate, args = message('protection-template-args', nil, 'table')}
else
return nil
end
end
----------------------------------------------------------------------------
-- Start box
----------------------------------------------------------------------------
p.startBox = makeInvokeFunc('_startBox')
function p._startBox(args, env)
--[[
-- This function generates the start box.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- The actual work is done by p.makeStartBoxLinksData and p.renderStartBoxLinks which make
-- the [view] [edit] [history] [purge] links, and by p.makeStartBoxData and p.renderStartBox
-- which generate the box HTML.
--]]
env = env or p.getEnvironment(args)
local links
local content = args.content
if not content then
-- No need to include the links if the documentation is on the template page itself.
local linksData = p.makeStartBoxLinksData(args, env)
if linksData then
links = p.renderStartBoxLinks(linksData)
end
end
-- Generate the start box html.
local data = p.makeStartBoxData(args, env, links)
if data then
return p.renderStartBox(data)
else
-- User specified no heading.
return nil
end
end
function p.makeStartBoxLinksData(args, env)
--[[
-- Does initial processing of data to make the [view] [edit] [history] [purge] links.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'view-link-display' --> 'view'
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'purge-link-display' --> 'purge'
-- 'file-docpage-preload' --> 'Template:Documentation/preload-filespace'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'docpage-preload' --> 'Template:Documentation/preload'
-- 'create-link-display' --> 'create'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local docTitle = env.docTitle
if not title or not docTitle then
return nil
end
if docTitle.isRedirect then
docTitle = docTitle.redirectTarget
end
local data = {}
data.title = title
data.docTitle = docTitle
-- View, display, edit, and purge links if /doc exists.
data.viewLinkDisplay = i18n['view-link-display']
data.editLinkDisplay = i18n['edit-link-display']
data.historyLinkDisplay = i18n['history-link-display']
data.purgeLinkDisplay = i18n['purge-link-display']
-- Create link if /doc doesn't exist.
local preload = args.preload
if not preload then
if subjectSpace == 6 then -- File namespace
preload = message('file-docpage-preload')
elseif subjectSpace == 828 then -- Module namespace
preload = message('module-preload')
else
preload = message('docpage-preload')
end
end
data.preload = preload
data.createLinkDisplay = i18n['create-link-display']
return data
end
function p.renderStartBoxLinks(data)
--[[
-- Generates the [view][edit][history][purge] or [create] links from the data table.
-- @data - a table of data generated by p.makeStartBoxLinksData
--]]
local function escapeBrackets(s)
-- Escapes square brackets with HTML entities.
s = s:gsub('%[', '[') -- Replace square brackets with HTML entities.
s = s:gsub('%]', ']')
return s
end
local ret
local docTitle = data.docTitle
local title = data.title
if docTitle.exists then
local viewLink = makeWikilink(docTitle.prefixedText, data.viewLinkDisplay)
local editLink = makeUrlLink(docTitle:fullUrl{action = 'edit'}, data.editLinkDisplay)
local historyLink = makeUrlLink(docTitle:fullUrl{action = 'history'}, data.historyLinkDisplay)
local purgeLink = makeUrlLink(title:fullUrl{action = 'purge'}, data.purgeLinkDisplay)
ret = '[%s] [%s] [%s] [%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, viewLink, editLink, historyLink, purgeLink)
else
local createLink = makeUrlLink(docTitle:fullUrl{action = 'edit', preload = data.preload}, data.createLinkDisplay)
ret = '[%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, createLink)
end
return ret
end
function p.makeStartBoxData(args, env, links)
--[=[
-- Does initial processing of data to pass to the start-box render function, p.renderStartBox.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- @links - a string containing the [view][edit][history][purge] links - could be nil if there's an error.
--
-- Messages:
-- 'documentation-icon-wikitext' --> '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=Documentation icon]]'
-- 'template-namespace-heading' --> 'Template documentation'
-- 'module-namespace-heading' --> 'Module documentation'
-- 'file-namespace-heading' --> 'Summary'
-- 'other-namespaces-heading' --> 'Documentation'
-- 'start-box-linkclasses' --> 'mw-editsection-like plainlinks'
-- 'start-box-link-id' --> 'doc_editlinks'
-- 'testcases-create-link-display' --> 'create'
--]=]
local subjectSpace = env.subjectSpace
if not subjectSpace then
-- Default to an "other namespaces" namespace, so that we get at least some output
-- if an error occurs.
subjectSpace = 2
end
local data = {}
-- Heading
local heading = args.heading -- Blank values are not removed.
if heading == '' then
-- Don't display the start box if the heading arg is defined but blank.
return nil
end
if heading then
data.heading = heading
elseif subjectSpace == 10 then -- Template namespace
data.heading = i18n['template-namespace-heading']
elseif subjectSpace == 828 then -- Module namespace
data.heading = i18n['module-namespace-heading']
elseif subjectSpace == 6 then -- File namespace
data.heading = i18n['file-namespace-heading']
else
data.heading = i18n['other-namespaces-heading']
end
-- Data for the [view][edit][history][purge] or [create] links.
if links then
data.linksClass = message('start-box-linkclasses')
data.linksId = message('start-box-link-id')
data.links = links
end
return data
end
function p.renderStartBox(data)
-- Renders the start box html.
-- @data - a table of data generated by p.makeStartBoxData.
local sbox = mw.html.create('div')
sbox
:addClass(message('header-div-class'))
:tag('div')
:addClass(message('heading-div-class'))
:wikitext(data.heading)
local links = data.links
if links then
sbox
:tag('div')
:addClass(data.linksClass)
:attr('id', data.linksId)
:wikitext(links)
end
return tostring(sbox)
end
----------------------------------------------------------------------------
-- Documentation content
----------------------------------------------------------------------------
p.content = makeInvokeFunc('_content')
function p._content(args, env)
-- Displays the documentation contents
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
local content = args.content
if not content and docTitle and docTitle.exists then
content = args._content or mw.getCurrentFrame():expandTemplate{title = docTitle}
end
-- The line breaks below are necessary so that "=== Headings ===" at the start and end
-- of docs are interpreted correctly.
local cbox = mw.html.create('div')
cbox
:addClass(message('content-div-class'))
:wikitext('\n' .. (content or '') .. '\n')
return tostring(cbox)
end
p.contentTitle = makeInvokeFunc('_contentTitle')
function p._contentTitle(args, env)
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
if not args.content and docTitle and docTitle.exists then
return docTitle.prefixedText
else
return ''
end
end
----------------------------------------------------------------------------
-- End box
----------------------------------------------------------------------------
p.endBox = makeInvokeFunc('_endBox')
function p._endBox(args, env)
--[=[
-- This function generates the end box (also known as the link box).
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--]=]
-- Get environment data.
env = env or p.getEnvironment(args)
local subjectSpace = env.subjectSpace
local docTitle = env.docTitle
if not subjectSpace or not docTitle then
return nil
end
-- Check whether we should output the end box at all. Add the end
-- box by default if the documentation exists or if we are in the
-- user, module or template namespaces.
local linkBox = args['link box']
if linkBox == 'off'
or not (
docTitle.exists
or subjectSpace == 2
or subjectSpace == 828
or subjectSpace == 10
)
then
return nil
end
-- Assemble the footer text field.
local text = ''
if linkBox then
text = text .. linkBox
else
text = text .. (p.makeDocPageBlurb(args, env) or '') -- "This documentation is transcluded from [[Foo]]."
if subjectSpace == 2 or subjectSpace == 10 or subjectSpace == 828 then
-- We are in the user, template or module namespaces.
-- Add sandbox and testcases links.
-- "Editors can experiment in this template's sandbox and testcases pages."
text = text .. (p.makeExperimentBlurb(args, env) or '')
text = text .. '<br />'
if not args.content and not args[1] then
-- "Please add categories to the /doc subpage."
-- Don't show this message with inline docs or with an explicitly specified doc page,
-- as then it is unclear where to add the categories.
text = text .. (p.makeCategoriesBlurb(args, env) or '')
end
text = text .. ' ' .. (p.makeSubpagesBlurb(args, env) or '') --"Subpages of this template"
local printBlurb = p.makePrintBlurb(args, env) -- Two-line blurb about print versions of templates.
if printBlurb then
text = text .. '<br />' .. printBlurb
end
end
end
local ebox = mw.html.create('div')
ebox
:addClass(message('footer-div-class'))
:wikitext(text)
return tostring(ebox)
end
function p.makeDocPageBlurb(args, env)
--[=[
-- Makes the blurb "This documentation is transcluded from [[Template:Foo]] (edit, history)".
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'transcluded-from-blurb' -->
-- 'The above [[w:Wikipedia:Template documentation|documentation]]
-- is [[w:Wikipedia:Transclusion|transcluded]] from $1.'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'create-link-display' --> 'create'
-- 'create-module-doc-blurb' -->
-- 'You might want to $1 a documentation page for this [[w:Wikipedia:Lua|Scribunto module]].'
--]=]
local docTitle = env.docTitle
if not docTitle or args.content then
return nil
end
local ret
if docTitle.exists then
-- /doc exists; link to it.
local docLink = makeWikilink(docTitle.prefixedText)
local editUrl = docTitle:fullUrl{action = 'edit'}
local editDisplay = i18n['edit-link-display']
local editLink = makeUrlLink(editUrl, editDisplay)
local historyUrl = docTitle:fullUrl{action = 'history'}
local historyDisplay = i18n['history-link-display']
local historyLink = makeUrlLink(historyUrl, historyDisplay)
ret = message('transcluded-from-blurb', {docLink})
.. ' '
.. makeToolbar(editLink, historyLink)
.. '<br />'
elseif env.subjectSpace == 828 then
-- /doc does not exist; ask to create it.
local createUrl = docTitle:fullUrl{action = 'edit', preload = message('module-preload')}
local createDisplay = i18n['create-link-display']
local createLink = makeUrlLink(createUrl, createDisplay)
ret = message('create-module-doc-blurb', {createLink})
.. '<br />'
end
return ret
end
function p.makeExperimentBlurb(args, env)
--[[
-- Renders the text "Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'sandbox-link-display' --> 'sandbox'
-- 'sandbox-edit-link-display' --> 'edit'
-- 'compare-link-display' --> 'diff'
-- 'module-sandbox-preload' --> 'Template:Documentation/preload-module-sandbox'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'sandbox-create-link-display' --> 'create'
-- 'mirror-edit-summary' --> 'Create sandbox version of $1'
-- 'mirror-link-display' --> 'mirror'
-- 'mirror-link-preload' --> 'Template:Documentation/mirror'
-- 'sandbox-link-display' --> 'sandbox'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display'--> 'edit'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'testcases-create-link-display' --> 'create'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display' --> 'edit'
-- 'module-testcases-preload' --> 'Template:Documentation/preload-module-testcases'
-- 'template-testcases-preload' --> 'Template:Documentation/preload-testcases'
-- 'experiment-blurb-module' --> 'Editors can experiment in this module's $1 and $2 pages.'
-- 'experiment-blurb-template' --> 'Editors can experiment in this template's $1 and $2 pages.'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
local testcasesTitle = env.testcasesTitle
local templatePage = templateTitle.prefixedText
if not subjectSpace or not templateTitle or not sandboxTitle or not testcasesTitle then
return nil
end
-- Make links.
local sandboxLinks, testcasesLinks
if sandboxTitle.exists then
local sandboxPage = sandboxTitle.prefixedText
local sandboxDisplay = message('sandbox-link-display')
local sandboxLink = makeWikilink(sandboxPage, sandboxDisplay)
local sandboxEditUrl = sandboxTitle:fullUrl{action = 'edit'}
local sandboxEditDisplay = message('sandbox-edit-link-display')
local sandboxEditLink = makeUrlLink(sandboxEditUrl, sandboxEditDisplay)
local compareUrl = env.compareUrl
local compareLink
if compareUrl then
local compareDisplay = message('compare-link-display')
compareLink = makeUrlLink(compareUrl, compareDisplay)
end
sandboxLinks = sandboxLink .. ' ' .. makeToolbar(sandboxEditLink, compareLink)
else
local sandboxPreload
if subjectSpace == 828 then
sandboxPreload = message('module-sandbox-preload')
else
sandboxPreload = message('template-sandbox-preload')
end
local sandboxCreateUrl = sandboxTitle:fullUrl{action = 'edit', preload = sandboxPreload}
local sandboxCreateDisplay = message('sandbox-create-link-display')
local sandboxCreateLink = makeUrlLink(sandboxCreateUrl, sandboxCreateDisplay)
local mirrorSummary = message('mirror-edit-summary', {makeWikilink(templatePage)})
local mirrorPreload = message('mirror-link-preload')
local mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = mirrorPreload, summary = mirrorSummary}
local mirrorDisplay = message('mirror-link-display')
local mirrorLink = makeUrlLink(mirrorUrl, mirrorDisplay)
sandboxLinks = message('sandbox-link-display') .. ' ' .. makeToolbar(sandboxCreateLink, mirrorLink)
end
if testcasesTitle.exists then
local testcasesPage = testcasesTitle.prefixedText
local testcasesDisplay = message('testcases-link-display')
local testcasesLink = makeWikilink(testcasesPage, testcasesDisplay)
local testcasesEditUrl = testcasesTitle:fullUrl{action = 'edit'}
local testcasesEditDisplay = message('testcases-edit-link-display')
local testcasesEditLink = makeUrlLink(testcasesEditUrl, testcasesEditDisplay)
testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink)
else
local testcasesPreload
if subjectSpace == 828 then
testcasesPreload = message('module-testcases-preload')
else
testcasesPreload = message('template-testcases-preload')
end
local testcasesCreateUrl = testcasesTitle:fullUrl{action = 'edit', preload = testcasesPreload}
local testcasesCreateDisplay = message('testcases-create-link-display')
local testcasesCreateLink = makeUrlLink(testcasesCreateUrl, testcasesCreateDisplay)
testcasesLinks = message('testcases-link-display') .. ' ' .. makeToolbar(testcasesCreateLink)
end
local messageName
if subjectSpace == 828 then
messageName = 'experiment-blurb-module'
else
messageName = 'experiment-blurb-template'
end
return message(messageName, {sandboxLinks, testcasesLinks})
end
function p.makeCategoriesBlurb(args, env)
--[[
-- Generates the text "Please add categories to the /doc subpage."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'doc-link-display' --> '/doc'
-- 'add-categories-blurb' --> 'Please add categories to the $1 subpage.'
--]]
local docTitle = env.docTitle
if not docTitle then
return nil
end
local docPathLink = makeWikilink(docTitle.prefixedText, message('doc-link-display'))
return message('add-categories-blurb', {docPathLink})
end
function p.makeSubpagesBlurb(args, env)
--[[
-- Generates the "Subpages of this template" link.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'template-pagetype' --> 'template'
-- 'module-pagetype' --> 'module'
-- 'default-pagetype' --> 'page'
-- 'subpages-link-display' --> 'Subpages of this $1'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
if not subjectSpace or not templateTitle then
return nil
end
local pagetype
if subjectSpace == 10 then
pagetype = message('template-pagetype')
elseif subjectSpace == 828 then
pagetype = message('module-pagetype')
else
pagetype = message('default-pagetype')
end
local subpagesLink = makeWikilink(
'Special:PrefixIndex/' .. templateTitle.prefixedText .. '/',
message('subpages-link-display', {pagetype})
)
return message('subpages-blurb', {subpagesLink})
end
function p.makePrintBlurb(args, env)
--[=[
-- Generates the blurb displayed when there is a print version of the template available.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'print-link-display' --> '/Print'
-- 'print-blurb' --> 'A [[Help:Books/for experts#Improving the book layout|print version]]'
-- .. ' of this template exists at $1.'
-- .. ' If you make a change to this template, please update the print version as well.'
-- 'display-print-category' --> true
-- 'print-category' --> 'Templates with print versions'
--]=]
local printTitle = env.printTitle
if not printTitle then
return nil
end
local ret
if printTitle.exists then
local printLink = makeWikilink(printTitle.prefixedText, message('print-link-display'))
ret = message('print-blurb', {printLink})
local displayPrintCategory = message('display-print-category', nil, 'boolean')
if displayPrintCategory then
ret = ret .. makeCategoryLink(message('print-category'))
end
end
return ret
end
----------------------------------------------------------------------------
-- Tracking categories
----------------------------------------------------------------------------
function p.addTrackingCategories(env)
--[[
-- Check if {{documentation}} is transcluded on a /doc or /testcases page.
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'display-strange-usage-category' --> true
-- 'doc-subpage' --> 'doc'
-- 'testcases-subpage' --> 'testcases'
-- 'strange-usage-category' --> 'Wikipedia pages with strange ((documentation)) usage'
--
-- /testcases pages in the module namespace are not categorised, as they may have
-- {{documentation}} transcluded automatically.
--]]
local title = env.title
local subjectSpace = env.subjectSpace
if not title or not subjectSpace then
return nil
end
local subpage = title.subpageText
local ret = ''
if message('display-strange-usage-category', nil, 'boolean')
and (
subpage == message('doc-subpage')
or subjectSpace ~= 828 and subpage == message('testcases-subpage')
)
then
ret = ret .. makeCategoryLink(message('strange-usage-category'))
end
return ret
end
return p
2735b3315e04bfbe3334b219864f574163f4c024
Module:Documentation/config
828
130
401
2021-07-31T22:15:07Z
mw>Tacsipacsi
0
Undo revision 4731975 by [[Special:Contributions/Tacsipacsi|Tacsipacsi]] ([[User talk:Tacsipacsi|talk]]): I wanted to do this in the sandbox
Scribunto
text/plain
----------------------------------------------------------------------------------------------------
--
-- Configuration for Module:Documentation
--
-- Here you can set the values of the parameters and messages used in Module:Documentation to
-- localise it to your wiki and your language. Unless specified otherwise, values given here
-- should be string values.
----------------------------------------------------------------------------------------------------
local _format = require('Module:TNT').format
local function format(id)
return _format('I18n/Documentation', id)
end
local cfg = {} -- Do not edit this line.
cfg['templatestyles-scr'] = 'Module:Documentation/styles.css'
----------------------------------------------------------------------------------------------------
-- Protection template configuration
----------------------------------------------------------------------------------------------------
-- cfg['protection-template']
-- The name of the template that displays the protection icon (a padlock on enwiki).
cfg['protection-template'] = 'pp-template'
-- cfg['protection-reason-edit']
-- The protection reason for edit-protected templates to pass to
-- [[Module:Protection banner]].
cfg['protection-reason-edit'] = 'template'
--[[
-- cfg['protection-template-args']
-- Any arguments to send to the protection template. This should be a Lua table.
-- For example, if the protection template is "pp-template", and the wikitext template invocation
-- looks like "{{pp-template|docusage=yes}}", then this table should look like "{docusage = 'yes'}".
--]]
cfg['protection-template-args'] = {docusage = 'yes'}
--[[
----------------------------------------------------------------------------------------------------
-- Sandbox notice configuration
--
-- On sandbox pages the module can display a template notifying users that the current page is a
-- sandbox, and the location of test cases pages, etc. The module decides whether the page is a
-- sandbox or not based on the value of cfg['sandbox-subpage']. The following settings configure the
-- messages that the notices contains.
----------------------------------------------------------------------------------------------------
--]]
-- cfg['sandbox-notice-image']
-- The image displayed in the sandbox notice.
cfg['sandbox-notice-image'] = '[[Image:Edit In Sandbox Icon - Color.svg|40px|alt=|link=]]'
--[[
-- cfg['sandbox-notice-pagetype-template']
-- cfg['sandbox-notice-pagetype-module']
-- cfg['sandbox-notice-pagetype-other']
-- The page type of the sandbox page. The message that is displayed depends on the current subject
-- namespace. This message is used in either cfg['sandbox-notice-blurb'] or
-- cfg['sandbox-notice-diff-blurb'].
--]]
cfg['sandbox-notice-pagetype-template'] = format('sandbox-notice-pagetype-template')
cfg['sandbox-notice-pagetype-module'] = format('sandbox-notice-pagetype-module')
cfg['sandbox-notice-pagetype-other'] = format('sandbox-notice-pagetype-other')
--[[
-- cfg['sandbox-notice-blurb']
-- cfg['sandbox-notice-diff-blurb']
-- cfg['sandbox-notice-diff-display']
-- Either cfg['sandbox-notice-blurb'] or cfg['sandbox-notice-diff-blurb'] is the opening sentence
-- of the sandbox notice. The latter has a diff link, but the former does not. $1 is the page
-- type, which is either cfg['sandbox-notice-pagetype-template'],
-- cfg['sandbox-notice-pagetype-module'] or cfg['sandbox-notice-pagetype-other'] depending what
-- namespace we are in. $2 is a link to the main template page, and $3 is a diff link between
-- the sandbox and the main template. The display value of the diff link is set by
-- cfg['sandbox-notice-compare-link-display'].
--]]
cfg['sandbox-notice-blurb'] = format('sandbox-notice-blurb')
cfg['sandbox-notice-diff-blurb'] = format('sandbox-notice-diff-blurb')
cfg['sandbox-notice-compare-link-display'] = format('sandbox-notice-compare-link-display')
--[[
-- cfg['sandbox-notice-testcases-blurb']
-- cfg['sandbox-notice-testcases-link-display']
-- cfg['sandbox-notice-testcases-run-blurb']
-- cfg['sandbox-notice-testcases-run-link-display']
-- cfg['sandbox-notice-testcases-blurb'] is a sentence notifying the user that there is a test cases page
-- corresponding to this sandbox that they can edit. $1 is a link to the test cases page.
-- cfg['sandbox-notice-testcases-link-display'] is the display value for that link.
-- cfg['sandbox-notice-testcases-run-blurb'] is a sentence notifying the user that there is a test cases page
-- corresponding to this sandbox that they can edit, along with a link to run it. $1 is a link to the test
-- cases page, and $2 is a link to the page to run it.
-- cfg['sandbox-notice-testcases-run-link-display'] is the display value for the link to run the test
-- cases.
--]]
cfg['sandbox-notice-testcases-blurb'] = format('sandbox-notice-testcases-blurb')
cfg['sandbox-notice-testcases-link-display'] = format('sandbox-notice-testcases-link-display')
cfg['sandbox-notice-testcases-run-blurb'] = format('sandbox-notice-testcases-run-blurb')
cfg['sandbox-notice-testcases-run-link-display'] = format('sandbox-notice-testcases-run-link-display')
-- cfg['sandbox-category']
-- A category to add to all template sandboxes.
cfg['sandbox-category'] = 'Template sandboxes'
----------------------------------------------------------------------------------------------------
-- Start box configuration
----------------------------------------------------------------------------------------------------
-- cfg['documentation-icon-wikitext']
-- The wikitext for the icon shown at the top of the template.
cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=Documentation icon]]'
----------------------------------------------------------------------------------------------------
-- Link box (end box) configuration
----------------------------------------------------------------------------------------------------
-- cfg['transcluded-from-blurb']
-- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page.
cfg['transcluded-from-blurb'] = format('transcluded-from-blurb')
--[[
-- cfg['create-module-doc-blurb']
-- Notice displayed in the module namespace when the documentation subpage does not exist.
-- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the
-- display cfg['create-link-display'].
--]]
cfg['create-module-doc-blurb'] = format('create-module-doc-blurb')
----------------------------------------------------------------------------------------------------
-- Experiment blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['experiment-blurb-template']
-- cfg['experiment-blurb-module']
-- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages.
-- It is only shown in the template and module namespaces. With the default English settings, it
-- might look like this:
--
-- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages.
--
-- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links.
--
-- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending
-- on what namespace we are in.
--
-- Parameters:
--
-- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display'])
--
-- If the sandbox doesn't exist, it is in the format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display'])
--
-- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload']
-- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display']
-- loads a default edit summary of cfg['mirror-edit-summary'].
--
-- $2 is a link to the test cases page. If the test cases page exists, it is in the following format:
--
-- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'])
--
-- If the test cases page doesn't exist, it is in the format:
--
-- cfg['testcases-link-display'] (cfg['testcases-create-link-display'])
--
-- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the
-- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current
-- namespace.
--]]
cfg['experiment-blurb-template'] = format('experiment-blurb-template')
cfg['experiment-blurb-module'] = format('experiment-blurb-module')
----------------------------------------------------------------------------------------------------
-- Sandbox link configuration
----------------------------------------------------------------------------------------------------
-- cfg['sandbox-subpage']
-- The name of the template subpage typically used for sandboxes.
cfg['sandbox-subpage'] = 'sandbox'
-- cfg['template-sandbox-preload']
-- Preload file for template sandbox pages.
cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox'
-- cfg['module-sandbox-preload']
-- Preload file for Lua module sandbox pages.
cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox'
-- cfg['sandbox-link-display']
-- The text to display for "sandbox" links.
cfg['sandbox-link-display'] = format('sandbox-link-display')
-- cfg['sandbox-edit-link-display']
-- The text to display for sandbox "edit" links.
cfg['sandbox-edit-link-display'] = format('sandbox-edit-link-display')
-- cfg['sandbox-create-link-display']
-- The text to display for sandbox "create" links.
cfg['sandbox-create-link-display'] = format('sandbox-create-link-display')
-- cfg['compare-link-display']
-- The text to display for "compare" links.
cfg['compare-link-display'] = format('compare-link-display')
-- cfg['mirror-edit-summary']
-- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the
-- template page.
cfg['mirror-edit-summary'] = 'Create sandbox version of $1'
-- cfg['mirror-link-display']
-- The text to display for "mirror" links.
cfg['mirror-link-display'] = format('mirror-link-display')
-- cfg['mirror-link-preload']
-- The page to preload when a user clicks the "mirror" link.
cfg['mirror-link-preload'] = 'Template:Documentation/mirror'
----------------------------------------------------------------------------------------------------
-- Test cases link configuration
----------------------------------------------------------------------------------------------------
-- cfg['testcases-subpage']
-- The name of the template subpage typically used for test cases.
cfg['testcases-subpage'] = 'testcases'
-- cfg['template-testcases-preload']
-- Preload file for template test cases pages.
cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases'
-- cfg['module-testcases-preload']
-- Preload file for Lua module test cases pages.
cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases'
-- cfg['testcases-link-display']
-- The text to display for "testcases" links.
cfg['testcases-link-display'] = format('testcases-link-display')
-- cfg['testcases-edit-link-display']
-- The text to display for test cases "edit" links.
cfg['testcases-edit-link-display'] = format('testcases-edit-link-display')
-- cfg['testcases-create-link-display']
-- The text to display for test cases "create" links.
cfg['testcases-create-link-display'] = format('testcases-create-link-display')
----------------------------------------------------------------------------------------------------
-- Add categories blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['add-categories-blurb']
-- Text to direct users to add categories to the /doc subpage. Not used if the "content" or
-- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a
-- link to the /doc subpage with a display value of cfg['doc-link-display'].
--]]
cfg['add-categories-blurb'] = format('add-categories-blurb')
-- cfg['doc-link-display']
-- The text to display when linking to the /doc subpage.
cfg['doc-link-display'] = '/doc'
----------------------------------------------------------------------------------------------------
-- Subpages link configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['subpages-blurb']
-- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a
-- display value of cfg['subpages-link-display']. In the English version this blurb is simply
-- the link followed by a period, and the link display provides the actual text.
--]]
cfg['subpages-blurb'] = format('subpages-blurb')
--[[
-- cfg['subpages-link-display']
-- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'],
-- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in
-- the template namespace, the module namespace, or another namespace.
--]]
cfg['subpages-link-display'] = format('subpages-link-display')
-- cfg['template-pagetype']
-- The pagetype to display for template pages.
cfg['template-pagetype'] = format('template-pagetype')
-- cfg['module-pagetype']
-- The pagetype to display for Lua module pages.
cfg['module-pagetype'] = format('module-pagetype')
-- cfg['default-pagetype']
-- The pagetype to display for pages other than templates or Lua modules.
cfg['default-pagetype'] = format('default-pagetype')
----------------------------------------------------------------------------------------------------
-- Doc link configuration
----------------------------------------------------------------------------------------------------
-- cfg['doc-subpage']
-- The name of the subpage typically used for documentation pages.
cfg['doc-subpage'] = 'doc'
-- cfg['file-docpage-preload']
-- Preload file for documentation page in the file namespace.
cfg['file-docpage-preload'] = 'Template:Documentation/preload-filespace'
-- cfg['docpage-preload']
-- Preload file for template documentation pages in all namespaces.
cfg['docpage-preload'] = 'Template:Documentation/preload'
-- cfg['module-preload']
-- Preload file for Lua module documentation pages.
cfg['module-preload'] = 'Template:Documentation/preload-module-doc'
----------------------------------------------------------------------------------------------------
-- Print version configuration
----------------------------------------------------------------------------------------------------
-- cfg['print-subpage']
-- The name of the template subpage used for print versions.
cfg['print-subpage'] = 'Print'
-- cfg['print-link-display']
-- The text to display when linking to the /Print subpage.
cfg['print-link-display'] = '/Print'
-- cfg['print-blurb']
-- Text to display if a /Print subpage exists. $1 is a link to the subpage with a display value of cfg['print-link-display'].
cfg['print-blurb'] = format('print-blurb')
-- cfg['display-print-category']
-- Set to true to enable output of cfg['print-category'] if a /Print subpage exists.
-- This should be a boolean value (either true or false).
cfg['display-print-category'] = true
-- cfg['print-category']
-- Category to output if cfg['display-print-category'] is set to true, and a /Print subpage exists.
cfg['print-category'] = 'Templates with print versions'
----------------------------------------------------------------------------------------------------
-- HTML and CSS configuration
----------------------------------------------------------------------------------------------------
-- cfg['main-div-id']
-- The "id" attribute of the main HTML "div" tag.
cfg['main-div-id'] = 'template-documentation'
-- cfg['main-div-classes']
-- The CSS classes added to the main HTML "div" tag.
cfg['main-div-class'] = 'ts-doc-doc'
cfg['header-div-class'] = 'ts-doc-header'
cfg['heading-div-class'] = 'ts-doc-heading'
cfg['content-div-class'] = 'ts-doc-content'
cfg['footer-div-class'] = 'ts-doc-footer plainlinks'
cfg['sandbox-class'] = 'ts-doc-sandbox'
-- cfg['start-box-linkclasses']
-- The CSS classes used for the [view][edit][history] or [create] links in the start box.
cfg['start-box-linkclasses'] = 'ts-tlinks-tlinks mw-editsection-like plainlinks'
-- cfg['start-box-link-id']
-- The HTML "id" attribute for the links in the start box.
cfg['start-box-link-id'] = 'doc_editlinks'
----------------------------------------------------------------------------------------------------
-- Tracking category configuration
----------------------------------------------------------------------------------------------------
-- cfg['display-strange-usage-category']
-- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage
-- or a /testcases subpage. This should be a boolean value (either true or false).
cfg['display-strange-usage-category'] = true
-- cfg['strange-usage-category']
-- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a
-- /doc subpage or a /testcases subpage.
cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage'
--[[
----------------------------------------------------------------------------------------------------
-- End configuration
--
-- Don't edit anything below this line.
----------------------------------------------------------------------------------------------------
--]]
return cfg
b37796cd8383492e598752ceda6edde6cae4b878
Template:Blue
10
144
429
2021-08-17T00:19:40Z
mw>DannyS712
0
revert edits by <username hidden>
wikitext
text/x-wiki
<span style="color:#0645AD;">{{{1}}}</span><noinclude>{{documentation}}
[[Category:Formatting templates{{#translation:}}|{{PAGENAME}}]]
</noinclude>
636ccfaac2c8947c9d036c2a6ac80aeb94f89713
Template:Documentation subpage
10
122
385
2021-08-22T09:03:48Z
mw>Shirayuki
0
cat
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude>{{#switch:<translate></translate>
| =
<includeonly><!--
-->{{#if:{{IsDocSubpage|override={{{override|doc}}}|false=}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:OOjs UI icon book-ltr.svg|40px|alt=|link=]]
| text =
'''<translate><!--T:4--> This is a [[w:Wikipedia:Template documentation|documentation]] [[<tvar name=2>Special:MyLanguage/Help:Subpages</tvar>|subpage]] for <tvar name=1>{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}</tvar>.</translate>'''<br /><!--
-->{{#if:{{{text2|}}}{{{text1|}}}
|<translate><!--T:5--> It contains usage information, [[<tvar name=7>Special:MyLanguage/Help:Categories</tvar>|categories]] and other content that is not part of the original <tvar name=1>{{{text2|{{{text1}}}}}}</tvar>.</translate>
|<translate><!--T:10--> It contains usage information, [[<tvar name=7>Special:MyLanguage/Help:Categories</tvar>|categories]] and other content that is not part of the original <tvar name=1>{{SUBJECTSPACE}}</tvar> page.</translate>
}}
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}}
| Template | Project = Template
| Module = Module
| User = User
| #default = MediaWiki
}} documentation pages{{#translation:}}]]
| [[Category:Documentation subpages without corresponding pages{{#translation:}}]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:Documentation subpage|noshift=1|uselang={{int:lang}}}}
}}<noinclude>
{{Documentation|content=
<translate>
== Usage == <!--T:6-->
<!--T:7-->
Use this template on Template Documentation subpage (/doc).
== See also == <!--T:8-->
</translate>
*{{tl|Documentation}}
*{{tl|tl}}
}}
</noinclude>
0d6a10a903dbd572fffeb01aff5983d9b3abc65c
Template:Documentation subpage/en
10
123
387
2021-08-22T09:04:11Z
mw>FuzzyBot
0
Updating to match new version of source page
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude>{{#switch:
| =
<includeonly><!--
-->{{#if:{{IsDocSubpage|override={{{override|doc}}}|false=}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:OOjs UI icon book-ltr.svg|40px|alt=|link=]]
| text =
'''This is a [[w:Wikipedia:Template documentation|documentation]] [[Special:MyLanguage/Help:Subpages|subpage]] for {{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}.'''<br /><!--
-->{{#if:{{{text2|}}}{{{text1|}}}
|It contains usage information, [[Special:MyLanguage/Help:Categories|categories]] and other content that is not part of the original {{{text2|{{{text1}}}}}}.
|It contains usage information, [[Special:MyLanguage/Help:Categories|categories]] and other content that is not part of the original {{SUBJECTSPACE}} page.
}}
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}}
| Template | Project = Template
| Module = Module
| User = User
| #default = MediaWiki
}} documentation pages{{#translation:}}]]
| [[Category:Documentation subpages without corresponding pages{{#translation:}}]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:Documentation subpage|noshift=1|uselang={{int:lang}}}}
}}<noinclude>
{{Documentation|content=
== Usage ==
Use this template on Template Documentation subpage (/doc).
== See also ==
*{{tl|Documentation}}
*{{tl|tl}}
}}
</noinclude>
7ed5cbfd5118b37933b2c38487c1ab00f969bf46
Module:Navbox
828
146
433
2021-08-23T18:17:32Z
mw>Izno
0
merge nomobile version of styles live
Scribunto
text/plain
--
-- This module implements {{Navbox}}
--
local p = {}
local navbar = require('Module:Navbar')._navbar
local getArgs -- lazily initialized
local args
local border
local listnums
local ODD_EVEN_MARKER = '\127_ODDEVEN_\127'
local RESTART_MARKER = '\127_ODDEVEN0_\127'
local REGEX_MARKER = '\127_ODDEVEN(%d?)_\127'
local function striped(wikitext)
-- Return wikitext with markers replaced for odd/even striping.
-- Child (subgroup) navboxes are flagged with a category that is removed
-- by parent navboxes. The result is that the category shows all pages
-- where a child navbox is not contained in a parent navbox.
local orphanCat = '[[Category:Navbox orphans]]'
if border == 'subgroup' and args.orphan ~= 'yes' then
-- No change; striping occurs in outermost navbox.
return wikitext .. orphanCat
end
local first, second = 'odd', 'even'
if args.evenodd then
if args.evenodd == 'swap' then
first, second = second, first
else
first = args.evenodd
second = first
end
end
local changer
if first == second then
changer = first
else
local index = 0
changer = function (code)
if code == '0' then
-- Current occurrence is for a group before a nested table.
-- Set it to first as a valid although pointless class.
-- The next occurrence will be the first row after a title
-- in a subgroup and will also be first.
index = 0
return first
end
index = index + 1
return index % 2 == 1 and first or second
end
end
local regex = orphanCat:gsub('([%[%]])', '%%%1')
return (wikitext:gsub(regex, ''):gsub(REGEX_MARKER, changer)) -- () omits gsub count
end
local function processItem(item, nowrapitems)
if item:sub(1, 2) == '{|' then
-- Applying nowrap to lines in a table does not make sense.
-- Add newlines to compensate for trim of x in |parm=x in a template.
return '\n' .. item ..'\n'
end
if nowrapitems == 'yes' then
local lines = {}
for line in (item .. '\n'):gmatch('([^\n]*)\n') do
local prefix, content = line:match('^([*:;#]+)%s*(.*)')
if prefix and not content:match('^<span class="nowrap">') then
line = prefix .. '<span class="nowrap">' .. content .. '</span>'
end
table.insert(lines, line)
end
item = table.concat(lines, '\n')
end
if item:match('^[*:;#]') then
return '\n' .. item ..'\n'
end
return item
end
-- Separate function so that we can evaluate properly whether hlist should
-- be added by the module
local function has_navbar()
return args.navbar ~= 'off' and args.navbar ~= 'plain' and
(args.name or mw.getCurrentFrame():getParent():getTitle():gsub('/sandbox$', '') ~= 'Template:Navbox')
end
local function renderNavBar(titleCell)
if has_navbar() then
titleCell:wikitext(navbar{
args.name,
-- we depend on this being mini = 1 when the navbox module decides
-- to add hlist templatestyles. we also depend on navbar outputting
-- a copy of the hlist templatestyles.
mini = 1,
fontstyle = (args.basestyle or '') .. ';' .. (args.titlestyle or '') .. ';background:none transparent;border:none;box-shadow:none; padding:0;'
})
end
end
--
-- Title row
--
local function renderTitleRow(tbl)
if not args.title then return end
local titleRow = tbl:tag('tr')
if args.titlegroup then
titleRow
:tag('th')
:attr('scope', 'row')
:addClass('navbox-group')
:addClass(args.titlegroupclass)
:cssText(args.basestyle)
:cssText(args.groupstyle)
:cssText(args.titlegroupstyle)
:wikitext(args.titlegroup)
end
local titleCell = titleRow:tag('th'):attr('scope', 'col')
if args.titlegroup then
titleCell
:addClass('navbox-title1')
end
local titleColspan = 2
if args.imageleft then titleColspan = titleColspan + 1 end
if args.image then titleColspan = titleColspan + 1 end
if args.titlegroup then titleColspan = titleColspan - 1 end
titleCell
:cssText(args.basestyle)
:cssText(args.titlestyle)
:addClass('navbox-title')
:attr('colspan', titleColspan)
renderNavBar(titleCell)
titleCell
:tag('div')
-- id for aria-labelledby attribute
:attr('id', mw.uri.anchorEncode(args.title))
:addClass(args.titleclass)
:css('font-size', '114%')
:css('margin', '0 4em')
:wikitext(processItem(args.title))
end
--
-- Above/Below rows
--
local function getAboveBelowColspan()
local ret = 2
if args.imageleft then ret = ret + 1 end
if args.image then ret = ret + 1 end
return ret
end
local function renderAboveRow(tbl)
if not args.above then return end
tbl:tag('tr')
:tag('td')
:addClass('navbox-abovebelow')
:addClass(args.aboveclass)
:cssText(args.basestyle)
:cssText(args.abovestyle)
:attr('colspan', getAboveBelowColspan())
:tag('div')
-- id for aria-labelledby attribute, if no title
:attr('id', args.title and nil or mw.uri.anchorEncode(args.above))
:wikitext(processItem(args.above, args.nowrapitems))
end
local function renderBelowRow(tbl)
if not args.below then return end
tbl:tag('tr')
:tag('td')
:addClass('navbox-abovebelow')
:addClass(args.belowclass)
:cssText(args.basestyle)
:cssText(args.belowstyle)
:attr('colspan', getAboveBelowColspan())
:tag('div')
:wikitext(processItem(args.below, args.nowrapitems))
end
--
-- List rows
--
local function renderListRow(tbl, index, listnum)
local row = tbl:tag('tr')
if index == 1 and args.imageleft then
row
:tag('td')
:addClass('navbox-image')
:addClass(args.imageclass)
:css('width', '1px') -- Minimize width
:css('padding', '0px 2px 0px 0px')
:cssText(args.imageleftstyle)
:attr('rowspan', #listnums)
:tag('div')
:wikitext(processItem(args.imageleft))
end
if args['group' .. listnum] then
local groupCell = row:tag('th')
-- id for aria-labelledby attribute, if lone group with no title or above
if listnum == 1 and not (args.title or args.above or args.group2) then
groupCell
:attr('id', mw.uri.anchorEncode(args.group1))
end
groupCell
:attr('scope', 'row')
:addClass('navbox-group')
:addClass(args.groupclass)
:cssText(args.basestyle)
:css('width', args.groupwidth or '1%') -- If groupwidth not specified, minimize width
groupCell
:cssText(args.groupstyle)
:cssText(args['group' .. listnum .. 'style'])
:wikitext(args['group' .. listnum])
end
local listCell = row:tag('td')
if args['group' .. listnum] then
listCell
:addClass('navbox-list1')
else
listCell:attr('colspan', 2)
end
if not args.groupwidth then
listCell:css('width', '100%')
end
local rowstyle -- usually nil so cssText(rowstyle) usually adds nothing
if index % 2 == 1 then
rowstyle = args.oddstyle
else
rowstyle = args.evenstyle
end
local listText = args['list' .. listnum]
local oddEven = ODD_EVEN_MARKER
if listText:sub(1, 12) == '</div><table' then
-- Assume list text is for a subgroup navbox so no automatic striping for this row.
oddEven = listText:find('<th[^>]*"navbox%-title"') and RESTART_MARKER or 'odd'
end
listCell
:css('padding', '0px')
:cssText(args.liststyle)
:cssText(rowstyle)
:cssText(args['list' .. listnum .. 'style'])
:addClass('navbox-list')
:addClass('navbox-' .. oddEven)
:addClass(args.listclass)
:addClass(args['list' .. listnum .. 'class'])
:tag('div')
:css('padding', (index == 1 and args.list1padding) or args.listpadding or '0em 0.25em')
:wikitext(processItem(listText, args.nowrapitems))
if index == 1 and args.image then
row
:tag('td')
:addClass('navbox-image')
:addClass(args.imageclass)
:css('width', '1px') -- Minimize width
:css('padding', '0px 0px 0px 2px')
:cssText(args.imagestyle)
:attr('rowspan', #listnums)
:tag('div')
:wikitext(processItem(args.image))
end
end
--
-- Tracking categories
--
local function needsHorizontalLists()
if border == 'subgroup' or args.tracking == 'no' then
return false
end
local listClasses = {
['plainlist'] = true, ['hlist'] = true, ['hlist hnum'] = true,
['hlist hwrap'] = true, ['hlist vcard'] = true, ['vcard hlist'] = true,
['hlist vevent'] = true,
}
return not (listClasses[args.listclass] or listClasses[args.bodyclass])
end
-- there are a lot of list classes in the wild, so we have a function to find
-- them and add their TemplateStyles
local function addListStyles()
local frame = mw.getCurrentFrame()
-- TODO?: Should maybe take a table of classes for e.g. hnum, hwrap as above
-- I'm going to do the stupid thing first though
-- Also not sure hnum and hwrap are going to live in the same TemplateStyles
-- as hlist
local function _addListStyles(htmlclass, templatestyles)
local class_args = { -- rough order of probability of use
'bodyclass', 'listclass', 'aboveclass', 'belowclass', 'titleclass',
'navboxclass', 'groupclass', 'titlegroupclass', 'imageclass'
}
local patterns = {
'^' .. htmlclass .. '$',
'%s' .. htmlclass .. '$',
'^' .. htmlclass .. '%s',
'%s' .. htmlclass .. '%s'
}
local found = false
for _, arg in ipairs(class_args) do
for _, pattern in ipairs(patterns) do
if mw.ustring.find(args[arg] or '', pattern) then
found = true
break
end
end
if found then break end
end
if found then
return frame:extensionTag{
name = 'templatestyles', args = { src = templatestyles }
}
else
return ''
end
end
local hlist_styles = ''
-- navbar always has mini = 1, so here (on this wiki) we can assume that
-- we don't need to output hlist styles in navbox again.
if not has_navbar() then
hlist_styles = _addListStyles('hlist', 'Flatlist/styles.css')
end
local plainlist_styles = _addListStyles('plainlist', 'Plainlist/styles.css')
return hlist_styles .. plainlist_styles
end
local function hasBackgroundColors()
for _, key in ipairs({'titlestyle', 'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do
if tostring(args[key]):find('background', 1, true) then
return true
end
end
end
local function hasBorders()
for _, key in ipairs({'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do
if tostring(args[key]):find('border', 1, true) then
return true
end
end
end
local function isIllegible()
-- require('Module:Color contrast') absent on mediawiki.org
return false
end
local function getTrackingCategories()
local cats = {}
if needsHorizontalLists() then table.insert(cats, 'Navigational boxes without horizontal lists') end
if hasBackgroundColors() then table.insert(cats, 'Navboxes using background colours') end
if isIllegible() then table.insert(cats, 'Potentially illegible navboxes') end
if hasBorders() then table.insert(cats, 'Navboxes using borders') end
return cats
end
local function renderTrackingCategories(builder)
local title = mw.title.getCurrentTitle()
if title.namespace ~= 10 then return end -- not in template space
local subpage = title.subpageText
if subpage == 'doc' or subpage == 'sandbox' or subpage == 'testcases' then return end
for _, cat in ipairs(getTrackingCategories()) do
builder:wikitext('[[Category:' .. cat .. ']]')
end
end
--
-- Main navbox tables
--
local function renderMainTable()
local tbl = mw.html.create('table')
:addClass('nowraplinks')
:addClass(args.bodyclass)
if args.title and (args.state ~= 'plain' and args.state ~= 'off') then
if args.state == 'collapsed' then args.state = 'mw-collapsed' end
tbl
:addClass('mw-collapsible')
:addClass(args.state or 'autocollapse')
end
tbl:css('border-spacing', 0)
if border == 'subgroup' or border == 'none' then
tbl
:addClass('navbox-subgroup')
:cssText(args.bodystyle)
:cssText(args.style)
else -- regular navbox - bodystyle and style will be applied to the wrapper table
tbl
:addClass('navbox-inner')
:css('background', 'transparent')
:css('color', 'inherit')
end
tbl:cssText(args.innerstyle)
renderTitleRow(tbl)
renderAboveRow(tbl)
for i, listnum in ipairs(listnums) do
renderListRow(tbl, i, listnum)
end
renderBelowRow(tbl)
return tbl
end
function p._navbox(navboxArgs)
args = navboxArgs
listnums = {}
for k, _ in pairs(args) do
if type(k) == 'string' then
local listnum = k:match('^list(%d+)$')
if listnum then table.insert(listnums, tonumber(listnum)) end
end
end
table.sort(listnums)
border = mw.text.trim(args.border or args[1] or '')
if border == 'child' then
border = 'subgroup'
end
-- render the main body of the navbox
local tbl = renderMainTable()
-- get templatestyles
local frame = mw.getCurrentFrame()
local base_templatestyles = frame:extensionTag{
name = 'templatestyles', args = { src = 'Module:Navbox/styles.css' }
}
local templatestyles = ''
if args.templatestyles and args.templatestyles ~= '' then
templatestyles = frame:extensionTag{
name = 'templatestyles', args = { src = args.templatestyles }
}
end
local res = mw.html.create()
-- 'navbox-styles' exists for two reasons:
-- 1. To wrap the styles to work around phab: T200206 more elegantly. Instead
-- of combinatorial rules, this ends up being linear number of CSS rules.
-- 2. To allow MobileFrontend to rip the styles out with 'nomobile' such that
-- they are not dumped into the mobile view.
res:tag('div')
:addClass('navbox-styles')
:addClass('nomobile')
:wikitext(base_templatestyles .. templatestyles)
:done()
-- render the appropriate wrapper around the navbox, depending on the border param
if border == 'none' then
local nav = res:tag('div')
:attr('role', 'navigation')
:wikitext(addListStyles())
:node(tbl)
-- aria-labelledby title, otherwise above, otherwise lone group
if args.title or args.above or (args.group1 and not args.group2) then
nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1))
else
nav:attr('aria-label', 'Navbox')
end
elseif border == 'subgroup' then
-- We assume that this navbox is being rendered in a list cell of a
-- parent navbox, and is therefore inside a div with padding:0em 0.25em.
-- We start with a </div> to avoid the padding being applied, and at the
-- end add a <div> to balance out the parent's </div>
res
:wikitext('</div>')
:wikitext(addListStyles())
:node(tbl)
:wikitext('<div>')
else
local nav = res:tag('div')
:attr('role', 'navigation')
:addClass('navbox')
:addClass(args.navboxclass)
:cssText(args.bodystyle)
:cssText(args.style)
:css('padding', '3px')
:wikitext(addListStyles())
:node(tbl)
-- aria-labelledby title, otherwise above, otherwise lone group
if args.title or args.above or (args.group1 and not args.group2) then
nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1))
else
nav:attr('aria-label', 'Navbox')
end
end
if (args.nocat or 'false'):lower() == 'false' then
renderTrackingCategories(res)
end
return striped(tostring(res))
end
function p.navbox(frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
args = getArgs(frame, {wrappers = {'Template:Navbox', 'Template:Navbox subgroup'}})
if frame.args.border then
-- This allows Template:Navbox_subgroup to use {{#invoke:Navbox|navbox|border=...}}.
args.border = frame.args.border
end
-- Read the arguments in the order they'll be output in, to make references number in the right order.
local _
_ = args.title
_ = args.above
for i = 1, 20 do
_ = args["group" .. tostring(i)]
_ = args["list" .. tostring(i)]
end
_ = args.below
return p._navbox(args)
end
return p
f006d4cce0a49e17814bc84ae51d4c40195a0c9b
Module:Navbox/styles.css
828
148
437
2021-08-23T18:21:01Z
mw>Izno
0
clean up the T200206 workaround now that there's one in the module directly
text
text/plain
.navbox {
border: 1px solid #aaa;
box-sizing: border-box;
width: 100%;
margin: auto;
clear: both;
font-size: 88%;
text-align: center;
padding: 1px;
}
.navbox-inner,
.navbox-subgroup {
width: 100%;
}
.navbox + .navbox-styles + .navbox {
/* Single pixel border between adjacent navboxes */
margin-top: -1px;
}
.navbox th,
.navbox-title,
.navbox-abovebelow {
text-align: center;
/* Title and above/below styles */
padding-left: 1em;
padding-right: 1em;
}
th.navbox-group {
/* Group style */
white-space: nowrap;
/* @noflip */
text-align: right;
}
.navbox,
.navbox-subgroup {
background: #fdfdfd;
}
.navbox-list {
/* Must match background color */
border-color: #fdfdfd;
}
.navbox th,
.navbox-title {
/* Level 1 color */
background: #eaeeff;
}
.navbox-abovebelow,
th.navbox-group,
.navbox-subgroup .navbox-title {
/* Level 2 color */
background: #ddddff;
}
.navbox-subgroup .navbox-group,
.navbox-subgroup .navbox-abovebelow {
/* Level 3 color */
background: #e6e6ff;
}
.navbox-even {
/* Even row striping */
background: #f7f7f7;
}
.navbox-odd {
/* Odd row striping */
background: transparent;
}
th.navbox-title1 {
border-left: 2px solid #fdfdfd;
width: 100%;
}
td.navbox-list1 {
text-align: left;
border-left-width: 2px;
border-left-style: solid;
}
.navbox .hlist td dl,
.navbox .hlist td ol,
.navbox .hlist td ul,
.navbox td.hlist dl,
.navbox td.hlist ol,
.navbox td.hlist ul {
/* Adjust hlist padding in navboxes */
padding: 0.125em 0;
}
.navbox .hlist dd,
.navbox .hlist dt,
.navbox .hlist li {
/* Nowrap list items in navboxes */
white-space: nowrap;
}
.navbox .hlist dd dl,
.navbox .hlist dt dl,
.navbox .hlist li ol,
.navbox .hlist li ul {
/* But allow parent list items to be wrapped */
white-space: normal;
}
ol + .navbox-styles + .navbox,
ul + .navbox-styles + .navbox {
/* Prevent lists from clinging to navboxes */
margin-top: 0.5em;
}
c4c305dae15bacc8c3240430775fab74f0c10e06
Module:Message box
828
115
371
2021-09-29T16:41:34Z
mw>Mainframe98
0
[[Special:Diff/4836110]]; from [[Special:Diff/4790050]]
Scribunto
text/plain
-- This is a meta-module for producing message box templates, including
-- {{mbox}}, {{ambox}}, {{imbox}}, {{tmbox}}, {{ombox}}, {{cmbox}} and {{fmbox}}.
-- Load necessary modules.
require('Module:No globals')
local getArgs
local yesno = require('Module:Yesno')
-- Get a language object for formatDate and ucfirst.
local lang = mw.language.getContentLanguage()
-- Define constants
local CONFIG_MODULE = 'Module:Message box/configuration'
local DEMOSPACES = {talk = 'tmbox', image = 'imbox', file = 'imbox', category = 'cmbox', article = 'ambox', main = 'ambox'}
local TEMPLATE_STYLES = 'Module:Message box/%s.css'
--------------------------------------------------------------------------------
-- Helper functions
--------------------------------------------------------------------------------
local function getTitleObject(...)
-- Get the title object, passing the function through pcall
-- in case we are over the expensive function count limit.
local success, title = pcall(mw.title.new, ...)
if success then
return title
end
end
local function union(t1, t2)
-- Returns the union of two arrays.
local vals = {}
for i, v in ipairs(t1) do
vals[v] = true
end
for i, v in ipairs(t2) do
vals[v] = true
end
local ret = {}
for k in pairs(vals) do
table.insert(ret, k)
end
table.sort(ret)
return ret
end
local function getArgNums(args, prefix)
local nums = {}
for k, v in pairs(args) do
local num = mw.ustring.match(tostring(k), '^' .. prefix .. '([1-9]%d*)$')
if num then
table.insert(nums, tonumber(num))
end
end
table.sort(nums)
return nums
end
--------------------------------------------------------------------------------
-- Box class definition
--------------------------------------------------------------------------------
local MessageBox = {}
MessageBox.__index = MessageBox
function MessageBox.new(boxType, args, cfg)
args = args or {}
local obj = {}
obj.boxType = boxType
-- Set the title object and the namespace.
obj.title = getTitleObject(args.page) or mw.title.getCurrentTitle()
-- Set the config for our box type.
obj.cfg = cfg[boxType]
if not obj.cfg then
local ns = obj.title.namespace
-- boxType is "mbox" or invalid input
if args.demospace and args.demospace ~= '' then
-- implement demospace parameter of mbox
local demospace = string.lower(args.demospace)
if DEMOSPACES[demospace] then
-- use template from DEMOSPACES
obj.cfg = cfg[DEMOSPACES[demospace]]
obj.boxType = DEMOSPACES[demospace]
elseif string.find( demospace, 'talk' ) then
-- demo as a talk page
obj.cfg = cfg.tmbox
obj.boxType = 'tmbox'
else
-- default to ombox
obj.cfg = cfg.ombox
obj.boxType = 'ombox'
end
elseif ns == 0 then
obj.cfg = cfg.ambox -- main namespace
obj.boxType = 'ambox'
elseif ns == 6 then
obj.cfg = cfg.imbox -- file namespace
obj.boxType = 'imbox'
elseif ns == 14 then
obj.cfg = cfg.cmbox -- category namespace
obj.boxType = 'cmbox'
else
local nsTable = mw.site.namespaces[ns]
if nsTable and nsTable.isTalk then
obj.cfg = cfg.tmbox -- any talk namespace
obj.boxType = 'tmbox'
else
obj.cfg = cfg.ombox -- other namespaces or invalid input
obj.boxType = 'ombox'
end
end
end
-- Set the arguments, and remove all blank arguments except for the ones
-- listed in cfg.allowBlankParams.
do
local newArgs = {}
for k, v in pairs(args) do
if v ~= '' then
newArgs[k] = v
end
end
for i, param in ipairs(obj.cfg.allowBlankParams or {}) do
newArgs[param] = args[param]
end
obj.args = newArgs
end
-- Define internal data structure.
obj.categories = {}
obj.classes = {}
-- For lazy loading of [[Module:Category handler]].
obj.hasCategories = false
return setmetatable(obj, MessageBox)
end
function MessageBox:addCat(ns, cat, sort)
if not cat then
return nil
end
if sort then
cat = string.format('[[Category:%s|%s]]', cat, sort)
else
cat = string.format('[[Category:%s]]', cat)
end
self.hasCategories = true
self.categories[ns] = self.categories[ns] or {}
table.insert(self.categories[ns], cat)
end
function MessageBox:addClass(class)
if not class then
return nil
end
table.insert(self.classes, class)
end
function MessageBox:setParameters()
local args = self.args
local cfg = self.cfg
-- Get type data.
self.type = args.type
local typeData = cfg.types[self.type]
self.invalidTypeError = cfg.showInvalidTypeError
and self.type
and not typeData
typeData = typeData or cfg.types[cfg.default]
self.typeClass = typeData.class
self.typeImage = typeData.image
-- Find if the box has been wrongly substituted.
self.isSubstituted = cfg.substCheck and args.subst == 'SUBST'
-- Find whether we are using a small message box.
self.isSmall = cfg.allowSmall and (
cfg.smallParam and args.small == cfg.smallParam
or not cfg.smallParam and yesno(args.small)
)
-- Add attributes, classes and styles.
self.id = args.id
self.name = args.name
if self.name then
self:addClass('box-' .. string.gsub(self.name,' ','_'))
end
if yesno(args.plainlinks) ~= false then
self:addClass('plainlinks')
end
for _, class in ipairs(cfg.classes or {}) do
self:addClass(class)
end
if self.isSmall then
self:addClass(cfg.smallClass or 'mbox-small')
end
self:addClass(self.typeClass)
self:addClass(args.class)
self.style = args.style
self.attrs = args.attrs
-- Set text style.
self.textstyle = args.textstyle
-- Find if we are on the template page or not. This functionality is only
-- used if useCollapsibleTextFields is set, or if both cfg.templateCategory
-- and cfg.templateCategoryRequireName are set.
self.useCollapsibleTextFields = cfg.useCollapsibleTextFields
if self.useCollapsibleTextFields
or cfg.templateCategory
and cfg.templateCategoryRequireName
then
if self.name then
local templateName = mw.ustring.match(
self.name,
'^[tT][eE][mM][pP][lL][aA][tT][eE][%s_]*:[%s_]*(.*)$'
) or self.name
templateName = 'Template:' .. templateName
self.templateTitle = getTitleObject(templateName)
end
self.isTemplatePage = self.templateTitle
and mw.title.equals(self.title, self.templateTitle)
end
-- Process data for collapsible text fields. At the moment these are only
-- used in {{ambox}}.
if self.useCollapsibleTextFields then
-- Get the self.issue value.
if self.isSmall and args.smalltext then
self.issue = args.smalltext
else
local sect
if args.sect == '' then
sect = 'This ' .. (cfg.sectionDefault or 'page')
elseif type(args.sect) == 'string' then
sect = 'This ' .. args.sect
end
local issue = args.issue
issue = type(issue) == 'string' and issue ~= '' and issue or nil
local text = args.text
text = type(text) == 'string' and text or nil
local issues = {}
table.insert(issues, sect)
table.insert(issues, issue)
table.insert(issues, text)
self.issue = table.concat(issues, ' ')
end
-- Get the self.talk value.
local talk = args.talk
-- Show talk links on the template page or template subpages if the talk
-- parameter is blank.
if talk == ''
and self.templateTitle
and (
mw.title.equals(self.templateTitle, self.title)
or self.title:isSubpageOf(self.templateTitle)
)
then
talk = '#'
elseif talk == '' then
talk = nil
end
if talk then
-- If the talk value is a talk page, make a link to that page. Else
-- assume that it's a section heading, and make a link to the talk
-- page of the current page with that section heading.
local talkTitle = getTitleObject(talk)
local talkArgIsTalkPage = true
if not talkTitle or not talkTitle.isTalkPage then
talkArgIsTalkPage = false
talkTitle = getTitleObject(
self.title.text,
mw.site.namespaces[self.title.namespace].talk.id
)
end
if talkTitle and talkTitle.exists then
local talkText = 'Relevant discussion may be found on'
if talkArgIsTalkPage then
talkText = string.format(
'%s [[%s|%s]].',
talkText,
talk,
talkTitle.prefixedText
)
else
talkText = string.format(
'%s the [[%s#%s|talk page]].',
talkText,
talkTitle.prefixedText,
talk
)
end
self.talk = talkText
end
end
-- Get other values.
self.fix = args.fix ~= '' and args.fix or nil
local date
if args.date and args.date ~= '' then
date = args.date
elseif args.date == '' and self.isTemplatePage then
date = lang:formatDate('F Y')
end
if date then
self.date = string.format(" <small class='date-container'>''(<span class='date'>%s</span>)''</small>", date)
end
self.info = args.info
if yesno(args.removalnotice) then
self.removalNotice = cfg.removalNotice
end
end
-- Set the non-collapsible text field. At the moment this is used by all box
-- types other than ambox, and also by ambox when small=yes.
if self.isSmall then
self.text = args.smalltext or args.text
else
self.text = args.text
end
-- Set the below row.
self.below = cfg.below and args.below
-- General image settings.
self.imageCellDiv = not self.isSmall and cfg.imageCellDiv
self.imageEmptyCell = cfg.imageEmptyCell
if cfg.imageEmptyCellStyle then
self.imageEmptyCellStyle = 'border:none;padding:0px;width:1px'
end
-- Left image settings.
local imageLeft = self.isSmall and args.smallimage or args.image
if cfg.imageCheckBlank and imageLeft ~= 'blank' and imageLeft ~= 'none'
or not cfg.imageCheckBlank and imageLeft ~= 'none'
then
self.imageLeft = imageLeft
if not imageLeft then
local imageSize = self.isSmall
and (cfg.imageSmallSize or '30x30px')
or '40x40px'
self.imageLeft = string.format('[[File:%s|%s|link=|alt=]]', self.typeImage
or 'Imbox notice.png', imageSize)
end
end
-- Right image settings.
local imageRight = self.isSmall and args.smallimageright or args.imageright
if not (cfg.imageRightNone and imageRight == 'none') then
self.imageRight = imageRight
end
end
function MessageBox:setMainspaceCategories()
local args = self.args
local cfg = self.cfg
if not cfg.allowMainspaceCategories then
return nil
end
local nums = {}
for _, prefix in ipairs{'cat', 'category', 'all'} do
args[prefix .. '1'] = args[prefix]
nums = union(nums, getArgNums(args, prefix))
end
-- The following is roughly equivalent to the old {{Ambox/category}}.
local date = args.date
date = type(date) == 'string' and date
local preposition = 'from'
for _, num in ipairs(nums) do
local mainCat = args['cat' .. tostring(num)]
or args['category' .. tostring(num)]
local allCat = args['all' .. tostring(num)]
mainCat = type(mainCat) == 'string' and mainCat
allCat = type(allCat) == 'string' and allCat
if mainCat and date and date ~= '' then
local catTitle = string.format('%s %s %s', mainCat, preposition, date)
self:addCat(0, catTitle)
catTitle = getTitleObject('Category:' .. catTitle)
if not catTitle or not catTitle.exists then
self:addCat(0, 'Articles with invalid date parameter in template')
end
elseif mainCat and (not date or date == '') then
self:addCat(0, mainCat)
end
if allCat then
self:addCat(0, allCat)
end
end
end
function MessageBox:setTemplateCategories()
local args = self.args
local cfg = self.cfg
-- Add template categories.
if cfg.templateCategory then
if cfg.templateCategoryRequireName then
if self.isTemplatePage then
self:addCat(10, cfg.templateCategory)
end
elseif not self.title.isSubpage then
self:addCat(10, cfg.templateCategory)
end
end
-- Add template error categories.
if cfg.templateErrorCategory then
local templateErrorCategory = cfg.templateErrorCategory
local templateCat, templateSort
if not self.name and not self.title.isSubpage then
templateCat = templateErrorCategory
elseif self.isTemplatePage then
local paramsToCheck = cfg.templateErrorParamsToCheck or {}
local count = 0
for i, param in ipairs(paramsToCheck) do
if not args[param] then
count = count + 1
end
end
if count > 0 then
templateCat = templateErrorCategory
templateSort = tostring(count)
end
if self.categoryNums and #self.categoryNums > 0 then
templateCat = templateErrorCategory
templateSort = 'C'
end
end
self:addCat(10, templateCat, templateSort)
end
end
function MessageBox:setAllNamespaceCategories()
-- Set categories for all namespaces.
if self.invalidTypeError then
local allSort = (self.title.namespace == 0 and 'Main:' or '') .. self.title.prefixedText
self:addCat('all', 'Wikipedia message box parameter needs fixing', allSort)
end
if self.isSubstituted then
self:addCat('all', 'Pages with incorrectly substituted templates')
end
end
function MessageBox:setCategories()
if self.title.namespace == 0 then
self:setMainspaceCategories()
elseif self.title.namespace == 10 then
self:setTemplateCategories()
end
self:setAllNamespaceCategories()
end
function MessageBox:renderCategories()
if not self.hasCategories then
-- No categories added, no need to pass them to Category handler so,
-- if it was invoked, it would return the empty string.
-- So we shortcut and return the empty string.
return ""
end
-- Convert category tables to strings and pass them through
-- [[Module:Category handler]].
return require('Module:Category handler')._main{
main = table.concat(self.categories[0] or {}),
template = table.concat(self.categories[10] or {}),
all = table.concat(self.categories.all or {}),
nocat = self.args.nocat,
page = self.args.page
}
end
function MessageBox:export()
local root = mw.html.create()
-- Add the subst check error.
if self.isSubstituted and self.name then
root:tag('b')
:addClass('error')
:wikitext(string.format(
'Template <code>%s[[Template:%s|%s]]%s</code> has been incorrectly substituted.',
mw.text.nowiki('{{'), self.name, self.name, mw.text.nowiki('}}')
))
end
-- Add TemplateStyles
root:wikitext(mw.getCurrentFrame():extensionTag{
name = 'templatestyles',
args = { src = TEMPLATE_STYLES:format(self.boxType) },
})
-- Create the box table.
local boxTable
-- Check for fmbox because not all interface messages have mw-parser-output
-- which is necessary for TemplateStyles. Add the wrapper class if it is and
-- then start the actual mbox, else start the mbox.
if self.boxType == 'fmbox' then
boxTable = root:tag('div')
:addClass('mw-parser-output')
:tag('table')
else
boxTable = root:tag('table')
end
boxTable:attr('id', self.id or nil)
for i, class in ipairs(self.classes or {}) do
boxTable:addClass(class or nil)
end
boxTable
:cssText(self.style or nil)
:attr('role', 'presentation')
if self.attrs then
boxTable:attr(self.attrs)
end
-- Add the left-hand image.
local row = boxTable:tag('tr')
if self.imageLeft then
local imageLeftCell = row:tag('td'):addClass('mbox-image')
if self.imageCellDiv then
-- If we are using a div, redefine imageLeftCell so that the image
-- is inside it. Divs use style="width: 52px;", which limits the
-- image width to 52px. If any images in a div are wider than that,
-- they may overlap with the text or cause other display problems.
imageLeftCell = imageLeftCell:tag('div'):css('width', '52px')
end
imageLeftCell:wikitext(self.imageLeft or nil)
elseif self.imageEmptyCell then
-- Some message boxes define an empty cell if no image is specified, and
-- some don't. The old template code in templates where empty cells are
-- specified gives the following hint: "No image. Cell with some width
-- or padding necessary for text cell to have 100% width."
row:tag('td')
:addClass('mbox-empty-cell')
:cssText(self.imageEmptyCellStyle or nil)
end
-- Add the text.
local textCell = row:tag('td'):addClass('mbox-text')
if self.useCollapsibleTextFields then
-- The message box uses advanced text parameters that allow things to be
-- collapsible. At the moment, only ambox uses this.
textCell:cssText(self.textstyle or nil)
local textCellDiv = textCell:tag('div')
textCellDiv
:addClass('mbox-text-span')
:wikitext(self.issue or nil)
if (self.talk or self.fix) and not self.isSmall then
textCellDiv:tag('span')
:addClass('hide-when-compact')
:wikitext(self.talk and (' ' .. self.talk) or nil)
:wikitext(self.fix and (' ' .. self.fix) or nil)
end
textCellDiv:wikitext(self.date and (' ' .. self.date) or nil)
if self.info and not self.isSmall then
textCellDiv
:tag('span')
:addClass('hide-when-compact')
:wikitext(self.info and (' ' .. self.info) or nil)
end
if self.removalNotice then
textCellDiv:tag('small')
:addClass('hide-when-compact')
:tag('i')
:wikitext(string.format(" (%s)", self.removalNotice))
end
else
-- Default text formatting - anything goes.
textCell
:cssText(self.textstyle or nil)
:wikitext(self.text or nil)
end
-- Add the right-hand image.
if self.imageRight then
local imageRightCell = row:tag('td'):addClass('mbox-imageright')
if self.imageCellDiv then
-- If we are using a div, redefine imageRightCell so that the image
-- is inside it.
imageRightCell = imageRightCell:tag('div'):css('width', '52px')
end
imageRightCell
:wikitext(self.imageRight or nil)
end
-- Add the below row.
if self.below then
boxTable:tag('tr')
:tag('td')
:attr('colspan', self.imageRight and '3' or '2')
:addClass('mbox-text')
:cssText(self.textstyle or nil)
:wikitext(self.below or nil)
end
-- Add error message for invalid type parameters.
if self.invalidTypeError then
root:tag('div')
:css('text-align', 'center')
:wikitext(string.format(
'This message box is using an invalid "type=%s" parameter and needs fixing.',
self.type or ''
))
end
-- Add categories.
root:wikitext(self:renderCategories() or nil)
return tostring(root)
end
--------------------------------------------------------------------------------
-- Exports
--------------------------------------------------------------------------------
local p, mt = {}, {}
function p._exportClasses()
-- For testing.
return {
MessageBox = MessageBox
}
end
function p.main(boxType, args, cfgTables)
local box = MessageBox.new(boxType, args, cfgTables or mw.loadData(CONFIG_MODULE))
box:setParameters()
box:setCategories()
return box:export()
end
function mt.__index(t, k)
return function (frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
return t.main(k, getArgs(frame, {trim = false, removeBlanks = false}))
end
end
return setmetatable(p, mt)
f117c975d2463d94d71936190eebeee08f939c96
Module:Message box/configuration
828
119
379
2021-10-01T02:27:01Z
mw>Pppery
0
Remove error category; it was the idea of one enwiki-an years ago and there's no evidence anyone on MediaWiki.org cares
Scribunto
text/plain
--------------------------------------------------------------------------------
-- Message box configuration --
-- --
-- This module contains configuration data for [[Module:Message box]]. --
--------------------------------------------------------------------------------
return {
ambox = {
types = {
speedy = {
class = 'ambox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ambox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ambox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ambox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ambox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ambox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
allowBlankParams = {'talk', 'sect', 'date', 'issue', 'fix', 'subst', 'hidden'},
allowSmall = true,
smallParam = 'left',
smallClass = 'mbox-small-left',
substCheck = true,
classes = {'metadata', 'plainlinks', 'ambox'},
imageEmptyCell = true,
imageCheckBlank = true,
imageSmallSize = '20x20px',
imageCellDiv = true,
useCollapsibleTextFields = true,
imageRightNone = true,
sectionDefault = 'article',
allowMainspaceCategories = true,
templateCategory = 'Article message templates',
templateCategoryRequireName = true,
templateErrorCategory = nil,
templateErrorParamsToCheck = {'issue', 'fix', 'subst'}
},
cmbox = {
types = {
speedy = {
class = 'cmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'cmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'cmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'cmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'cmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'cmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'cmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
caution = {
class = 'cmbox-style',
image = 'Ambox warning yellow.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'cmbox'},
imageEmptyCell = true
},
fmbox = {
types = {
warning = {
class = 'fmbox-warning',
image = 'OOjs UI icon clock-destructive.svg'
},
editnotice = {
class = 'fmbox-editnotice',
image = 'OOjs UI icon information-progressive.svg'
},
system = {
class = 'fmbox-system',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'system',
showInvalidTypeError = true,
classes = {'plainlinks', 'fmbox'},
imageEmptyCell = false,
imageRightNone = false
},
imbox = {
types = {
speedy = {
class = 'imbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'imbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'imbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'imbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'imbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'imbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
license = {
class = 'imbox-license licensetpl',
image = 'Imbox license.png' -- @todo We need an SVG version of this
},
featured = {
class = 'imbox-featured',
image = 'Cscr-featured.svg'
},
notice = {
class = 'imbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'imbox'},
usePlainlinksParam = true,
imageEmptyCell = true,
below = true,
templateCategory = 'File message boxes'
},
ombox = {
types = {
speedy = {
class = 'ombox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ombox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ombox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ombox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ombox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ombox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
critical = {
class = 'mbox-critical',
image = 'OOjs UI icon clock-destructive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'ombox'},
allowSmall = true,
imageEmptyCell = true,
imageRightNone = true
},
tmbox = {
types = {
speedy = {
class = 'tmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'tmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'tmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'tmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'tmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'tmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'tmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'tmbox'},
allowSmall = true,
imageRightNone = true,
imageEmptyCell = true,
imageEmptyCellStyle = true,
templateCategory = 'Talk message boxes'
}
}
d8cf419a57983f67944903d17535c0ee0780ceb6
Template:Documentation
10
120
381
2022-01-05T08:31:52Z
mw>Taravyvan Adijene
0
/* Rationale */ абнаўленьне зьвестак
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude><includeonly>{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}</includeonly><noinclude>
{{documentation|content=
{{Lua|Module:Documentation}}
<translate><!--T:12--> This template automatically displays a documentation box like the one you are seeing now, of which the content is sometimes transcluded from another page.</translate>
<translate><!--T:13--> It is intended for pages which are [[<tvar name=1>Special:MyLanguage/Help:Transclusion</tvar>|transcluded]] in other pages, i.e. templates, whether in the template namespace or not.</translate>
<translate>
==Usage== <!--T:2-->
===Customizing display=== <!--T:3-->
<!--T:4-->
Overrides exist to customize the output in special cases:
</translate>
* <nowiki>{{</nowiki>documentation{{!}}'''heading'''=<nowiki>}}</nowiki> - <translate><!--T:5--> change the text of the "documentation" heading.</translate> <translate><!--T:10--> If this is set to blank, the entire heading line (including the first [edit] link) will also disappear.</translate>
<translate>
==Rationale== <!--T:6-->
</translate>
<translate><!--T:7--> This template allows any page to use any documentation page, and makes it possible to protect templates while allowing anyone to edit the template's documentation and categories.</translate>
<translate><!--T:8--> It also reduces server resources by circumventing a [[w:Wikipedia:Template limits|technical limitation of templates]] (see a [[<tvar name=1>:en:Special:Diff/69888944</tvar>|developer's explanation]]).</translate>
<translate>
==See also== <!--T:9-->
</translate>
* <translate><!--T:14--> [[w:Template:Documentation subpage]]</translate>
* {{tim|Documentation}}
* <translate><!--T:11--> [[w:Wikipedia:Template documentation]]</translate>
}}
[[Category:Formatting templates{{#translation:}}|Template documentation]]
[[Category:Template documentation{{#translation:}}| ]]
</noinclude><includeonly>{{#if:{{{content|}}}|
[[Category:Template documentation pages{{#translation:}}]]
}}</includeonly>
e9a25c87d40f5882dd425c83ed4d3be628082f3c
Template:Documentation/en
10
121
383
2022-01-05T21:45:00Z
mw>FuzzyBot
0
Updating to match new version of source page
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude><includeonly>{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}</includeonly><noinclude>
{{documentation|content=
{{Lua|Module:Documentation}}
This template automatically displays a documentation box like the one you are seeing now, of which the content is sometimes transcluded from another page.
It is intended for pages which are [[Special:MyLanguage/Help:Transclusion|transcluded]] in other pages, i.e. templates, whether in the template namespace or not.
==Usage==
===Customizing display===
Overrides exist to customize the output in special cases:
* <nowiki>{{</nowiki>documentation{{!}}'''heading'''=<nowiki>}}</nowiki> - change the text of the "documentation" heading. If this is set to blank, the entire heading line (including the first [edit] link) will also disappear.
==Rationale==
This template allows any page to use any documentation page, and makes it possible to protect templates while allowing anyone to edit the template's documentation and categories.
It also reduces server resources by circumventing a [[w:Wikipedia:Template limits|technical limitation of templates]] (see a [[:en:Special:Diff/69888944|developer's explanation]]).
==See also==
* [[w:Template:Documentation subpage]]
* {{tim|Documentation}}
* [[w:Wikipedia:Template documentation]]
}}
[[Category:Formatting templates{{#translation:}}|Template documentation]]
[[Category:Template documentation{{#translation:}}| ]]
</noinclude><includeonly>{{#if:{{{content|}}}|
[[Category:Template documentation pages{{#translation:}}]]
}}</includeonly>
ea09a0702078c03b055fa66d2628126da3e3c062
Module:TNT
828
131
403
2022-01-17T10:51:03Z
mw>Ciencia Al Poder
0
Even more helpful error message
Scribunto
text/plain
--
-- INTRO: (!!! DO NOT RENAME THIS PAGE !!!)
-- This module allows any template or module to be copy/pasted between
-- wikis without any translation changes. All translation text is stored
-- in the global Data:*.tab pages on Commons, and used everywhere.
--
-- SEE: https://www.mediawiki.org/wiki/Multilingual_Templates_and_Modules
--
-- ATTENTION:
-- Please do NOT rename this module - it has to be identical on all wikis.
-- This code is maintained at https://www.mediawiki.org/wiki/Module:TNT
-- Please do not modify it anywhere else, as it may get copied and override your changes.
-- Suggestions can be made at https://www.mediawiki.org/wiki/Module_talk:TNT
--
-- DESCRIPTION:
-- The "msg" function uses a Commons dataset to translate a message
-- with a given key (e.g. source-table), plus optional arguments
-- to the wiki markup in the current content language.
-- Use lang=xx to set language. Example:
--
-- {{#invoke:TNT | msg
-- | I18n/Template:Graphs.tab <!-- https://commons.wikimedia.org/wiki/Data:I18n/Template:Graphs.tab -->
-- | source-table <!-- uses a translation message with id = "source-table" -->
-- | param1 }} <!-- optional parameter -->
--
--
-- The "doc" function will generate the <templatedata> parameter documentation for templates.
-- This way all template parameters can be stored and localized in a single Commons dataset.
-- NOTE: "doc" assumes that all documentation is located in Data:Templatedata/* on Commons.
--
-- {{#invoke:TNT | doc | Graph:Lines }}
-- uses https://commons.wikimedia.org/wiki/Data:Templatedata/Graph:Lines.tab
-- if the current page is Template:Graph:Lines/doc
--
local p = {}
local i18nDataset = 'I18n/Module:TNT.tab'
-- Forward declaration of the local functions
local sanitizeDataset, loadData, link, formatMessage
function p.msg(frame)
local dataset, id
local params = {}
local lang = nil
for k, v in pairs(frame.args) do
if k == 1 then
dataset = mw.text.trim(v)
elseif k == 2 then
id = mw.text.trim(v)
elseif type(k) == 'number' then
params[k - 2] = mw.text.trim(v)
elseif k == 'lang' and v ~= '_' then
lang = mw.text.trim(v)
end
end
return formatMessage(dataset, id, params, lang)
end
-- Identical to p.msg() above, but used from other lua modules
-- Parameters: name of dataset, message key, optional arguments
-- Example with 2 params: format('I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.format(dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('format', 1, dataset, 'string')
checkType('format', 2, key, 'string')
return formatMessage(dataset, key, {...})
end
-- Identical to p.msg() above, but used from other lua modules with the language param
-- Parameters: language code, name of dataset, message key, optional arguments
-- Example with 2 params: formatInLanguage('es', I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.formatInLanguage(lang, dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('formatInLanguage', 1, lang, 'string')
checkType('formatInLanguage', 2, dataset, 'string')
checkType('formatInLanguage', 3, key, 'string')
return formatMessage(dataset, key, {...}, lang)
end
-- Obsolete function that adds a 'c:' prefix to the first param.
-- "Sandbox/Sample.tab" -> 'c:Data:Sandbox/Sample.tab'
function p.link(frame)
return link(frame.args[1])
end
function p.doc(frame)
local dataset = 'Templatedata/' .. sanitizeDataset(frame.args[1])
return frame:extensionTag('templatedata', p.getTemplateData(dataset)) ..
formatMessage(i18nDataset, 'edit_doc', {link(dataset)})
end
function p.getTemplateData(dataset)
-- TODO: add '_' parameter once lua starts reindexing properly for "all" languages
local data = loadData(dataset)
local names = {}
for _, field in ipairs(data.schema.fields) do
table.insert(names, field.name)
end
local params = {}
local paramOrder = {}
for _, row in ipairs(data.data) do
local newVal = {}
local name = nil
for pos, columnName in ipairs(names) do
if columnName == 'name' then
name = row[pos]
else
newVal[columnName] = row[pos]
end
end
if name then
params[name] = newVal
table.insert(paramOrder, name)
end
end
-- Work around json encoding treating {"1":{...}} as an [{...}]
params['zzz123']=''
local json = mw.text.jsonEncode({
params=params,
paramOrder=paramOrder,
description=data.description
})
json = string.gsub(json,'"zzz123":"",?', "")
return json
end
-- Local functions
sanitizeDataset = function(dataset)
if not dataset then
return nil
end
dataset = mw.text.trim(dataset)
if dataset == '' then
return nil
elseif string.sub(dataset,-4) ~= '.tab' then
return dataset .. '.tab'
else
return dataset
end
end
loadData = function(dataset, lang)
dataset = sanitizeDataset(dataset)
if not dataset then
error(formatMessage(i18nDataset, 'error_no_dataset', {}))
end
-- Give helpful error to thirdparties who try and copy this module.
if not mw.ext or not mw.ext.data or not mw.ext.data.get then
error(string.format([['''Missing JsonConfig extension, or not properly configured;
Cannot load https://commons.wikimedia.org/wiki/Data:%s.
See https://www.mediawiki.org/wiki/Extension:JsonConfig#Supporting_Wikimedia_templates''']], dataset))
end
local data = mw.ext.data.get(dataset, lang)
if data == false then
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Missing Commons dataset ' .. i18nDataset)
else
error(formatMessage(i18nDataset, 'error_bad_dataset', {link(dataset)}))
end
end
return data
end
-- Given a dataset name, convert it to a title with the 'commons:data:' prefix
link = function(dataset)
return 'c:Data:' .. mw.text.trim(dataset or '')
end
formatMessage = function(dataset, key, params, lang)
for _, row in pairs(loadData(dataset, lang).data) do
local id, msg = unpack(row)
if id == key then
local result = mw.message.newRawMessage(msg, unpack(params or {}))
return result:plain()
end
end
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Invalid message key "' .. key .. '"')
else
error(formatMessage(i18nDataset, 'error_bad_msgkey', {key, link(dataset)}))
end
end
return p
dcbd1e43ce99db35325d77652b386f04d59686db
Template:TemplateData header
10
125
391
2022-01-30T17:48:18Z
mw>Kaganer
0
PAGELANGUAGE
wikitext
text/x-wiki
<noinclude>
<languages/>
<onlyinclude>{{#switch:<translate></translate>
|=
<div class="templatedata-header"><!--
-->{{#if:{{yesno|{{{editlinks|}}}}}<!--
-->|{{#ifexpr:<!--
-->{{#if:{{{docpage|}}}<!--
-->|{{#ifeq:{{FULLPAGENAME}}|{{transclude|{{{docpage}}}}}|0|1}}<!--
-->|not{{IsDocSubpage|false=0}}<!--
-->}}<!--
-->|{{Navbar|{{{docpage|{{BASEPAGENAME}}/doc}}}|plain=1|brackets=1|style=float:{{dir|{{PAGELANGUAGE}}|left|right}};}}<!--
-->}}<!--
-->}}
{{#if:{{{noheader|}}}||<translate><!--T:1--> This is the [[<tvar name=1>Special:MyLanguage/Help:TemplateData</tvar>|TemplateData]] documentation for this template used by [[<tvar name=2>Special:MyLanguage/VisualEditor</tvar>|VisualEditor]] and other tools.</translate>}}
'''{{{1|{{BASEPAGENAME}}}}}'''
</div><includeonly>{{#ifeq:{{SUBPAGENAME}}|sandbox|<!--
-->|{{#if:{{IsDocSubpage|false=}}<!--
-->|[[Category:TemplateData documentation{{#translation:}}]]<!--
-->|[[Category:Templates using TemplateData{{#translation:}}]]<!--
-->}}<!--
-->}}</includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:TemplateData header|noshift=1|uselang={{#if:{{pagelang}}|{{pagelang}}|{{int:lang}}}}}}
}}</onlyinclude>
{{Documentation|content=
Inserts a brief header for the template data section. Adds the /doc subpage to [[:Category:TemplateData documentation{{#translation:}}]] and the template page to [[:Category:Templates using TemplateData{{#translation:}}]].
== Usage ==
{{#tag:syntaxhighlight|
==TemplateData== or ==Parameters== or ==Usage==
{{((}}TemplateData header{{))}}
{{^(}}templatedata{{)^}}{
...
}{{^(}}/templatedata{{)^}}
|lang=html
}}
Use <code><nowiki>{{TemplateData header|Template name}}</nowiki></code> to display a name for the template other than the default, which is [[Help:Magic_words#Variables|<nowiki>{{BASEPAGENAME}}</nowiki>]].
<dl><dd>
{{TemplateData header|Template name}}
</dd></dl>
Use <code><nowiki>{{TemplateData header|noheader=1}}</nowiki></code> to omit the first sentence of the header text.
<dl><dd>
{{TemplateData header|noheader=1}}
</dd></dl>
==Parameters==
{{TemplateData header/doc}}
}}
</noinclude>
adcf50c8d3c870a44b190116c53a975926dc17d8
Template:TemplateData header/en
10
126
393
2022-01-30T17:48:30Z
mw>FuzzyBot
0
Updating to match new version of source page
wikitext
text/x-wiki
<noinclude>
<languages/>
<onlyinclude>{{#switch:
|=
<div class="templatedata-header"><!--
-->{{#if:{{yesno|{{{editlinks|}}}}}<!--
-->|{{#ifexpr:<!--
-->{{#if:{{{docpage|}}}<!--
-->|{{#ifeq:{{FULLPAGENAME}}|{{transclude|{{{docpage}}}}}|0|1}}<!--
-->|not{{IsDocSubpage|false=0}}<!--
-->}}<!--
-->|{{Navbar|{{{docpage|{{BASEPAGENAME}}/doc}}}|plain=1|brackets=1|style=float:{{dir|{{PAGELANGUAGE}}|left|right}};}}<!--
-->}}<!--
-->}}
{{#if:{{{noheader|}}}||This is the [[Special:MyLanguage/Help:TemplateData|TemplateData]] documentation for this template used by [[Special:MyLanguage/VisualEditor|VisualEditor]] and other tools.}}
'''{{{1|{{BASEPAGENAME}}}}}'''
</div><includeonly>{{#ifeq:{{SUBPAGENAME}}|sandbox|<!--
-->|{{#if:{{IsDocSubpage|false=}}<!--
-->|[[Category:TemplateData documentation{{#translation:}}]]<!--
-->|[[Category:Templates using TemplateData{{#translation:}}]]<!--
-->}}<!--
-->}}</includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:TemplateData header|noshift=1|uselang={{#if:{{pagelang}}|{{pagelang}}|{{int:lang}}}}}}
}}</onlyinclude>
{{Documentation|content=
Inserts a brief header for the template data section. Adds the /doc subpage to [[:Category:TemplateData documentation{{#translation:}}]] and the template page to [[:Category:Templates using TemplateData{{#translation:}}]].
== Usage ==
{{#tag:syntaxhighlight|
==TemplateData== or ==Parameters== or ==Usage==
{{((}}TemplateData header{{))}}
{{^(}}templatedata{{)^}}{
...
}{{^(}}/templatedata{{)^}}
|lang=html
}}
Use <code><nowiki>{{TemplateData header|Template name}}</nowiki></code> to display a name for the template other than the default, which is [[Help:Magic_words#Variables|<nowiki>{{BASEPAGENAME}}</nowiki>]].
<dl><dd>
{{TemplateData header|Template name}}
</dd></dl>
Use <code><nowiki>{{TemplateData header|noheader=1}}</nowiki></code> to omit the first sentence of the header text.
<dl><dd>
{{TemplateData header|noheader=1}}
</dd></dl>
==Parameters==
{{TemplateData header/doc}}
}}
</noinclude>
dce30fc2e3f9848db82a3e0290f65f2d61e1c5ed
Template:Tl
10
143
427
2022-02-26T04:13:26Z
mw>Shirayuki
0
wikitext
text/x-wiki
{{((}}[[Template:{{{1}}}|{{{1}}}]]{{))}}<noinclude>
{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
1447a15b7ca7f93848d1ac4b792d61a1d8555e3b
Template:))
10
139
419
2022-03-18T10:52:25Z
mw>Marimonomori
0
Reverted 2 edits by [[Special:Contributions/2001:268:9091:55D8:0:1D:53A3:1|2001:268:9091:55D8:0:1D:53A3:1]] ([[User talk:2001:268:9091:55D8:0:1D:53A3:1|talk]]) (TwinkleGlobal)
wikitext
text/x-wiki
}}<noinclude>
{{documentation}}[[Category:Workaround templates]]
</noinclude>
e2331ab1b2f6b7061b29f929a502a016b6d54a54
Template:Ombox
10
149
439
2022-06-12T20:42:46Z
mw>Clump
0
Reverted edits by [[Special:Contribs/86.21.196.10|86.21.196.10]] ([[User talk:86.21.196.10|talk]]) to last version by ExE Boss
wikitext
text/x-wiki
<onlyinclude>{{#invoke:Message box|ombox}}</onlyinclude>
{{Documentation}}
<!-- Add categories to the /doc subpage and interwikis in Wikidata, not here! -->
f5c3203172e44c84d587cc7824db31d90604ddcb
Template:IsDocSubpage
10
124
389
2022-07-13T12:02:25Z
mw>Tacsipacsi
0
use {{#translation:}}—it handles manual translations as well
wikitext
text/x-wiki
<onlyinclude><includeonly>{{#ifexpr: (
{{#ifeq:{{lc:{{SUBPAGENAME}}}}|{{lc:{{{override|doc}}}}}|1|0}} or (
{{#ifeq:{{lc:{{#titleparts:{{FULLPAGENAME}}|-1|-2}}}}|{{lc:{{{override|doc}}}}}|1|0}}
and {{#if:{{#translation:}}|1|0}}
)
)<!--
-->|{{{true|1}}}<!--
-->|{{{false|}}}<!--
-->}}</includeonly></onlyinclude>
{{Documentation}}
<!-- Add categories to the /doc subpage and interwikis in Wikidata, not here! -->
47b5d5a2fb89240a721f8874924170f791de93b2
Template:((
10
138
417
2022-08-18T15:36:43Z
mw>Clump
0
Reverted edits by [[Special:Contribs/62.163.38.107|62.163.38.107]] ([[User talk:62.163.38.107|talk]]) to last version by Stang
wikitext
text/x-wiki
{{<noinclude>
{{documentation}}[[Category:Workaround templates]]
</noinclude>
f8c63100e113b89d20396b75811d33e13b808f1a
Main Page
0
1
1
2022-08-22T23:54:52Z
MediaWiki default
1
Create main page
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
This Main Page was created automatically and it seems it hasn't been replaced yet.
=== For the bureaucrat(s) of this wiki ===
Hello, and welcome to your new wiki! Thank you for choosing Miraheze for the hosting of your wiki, we hope you will enjoy our hosting.
You can immediately start working on your wiki or whenever you want.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
=== For visitors of this wiki ===
Hello, the default Main Page of this wiki (this page) has not yet been replaced by the bureaucrat(s) of this wiki. The bureaucrat(s) might still be working on a Main Page, so please check again later!
21236ac3f8d65e5563b6da6b70815ca6bf1e6616
2
1
2022-08-23T07:37:30Z
Junikea
2
Setting up the page with a quick description
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
e748acb49fb391c76510f6550960100d7ca65512
3
2
2022-08-23T07:43:14Z
Junikea
2
Added information where to download + links
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
91845a5313c3b4ccde21fa249d068be27a6f1eae
4
3
2022-08-23T07:55:27Z
Junikea
2
Added a paragraph break
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
27966d36dd6850045c6ee505c678d3cd14e515ce
Template:CharacterInfo
10
2
5
2022-08-23T09:27:52Z
Junikea
2
Created a character info template
wikitext
text/x-wiki
{{
|Name=
|Image=
|Age=
|Birthday=
|Zodiac sign=
|Occupation=
}}
7273d0541fdfd324dd70eaabf55ae45418cd11b4
6
5
2022-08-23T12:33:07Z
Junikea
2
Fix
wikitext
text/x-wiki
{{Character Info
|Name=
|Image=
|Age=
|Birthday=
|Zodiac sign=
|Occupation=
}}
15792327b7c552db90356ce1a0c71fe3d98a43f0
7
6
2022-08-23T12:36:11Z
Junikea
2
Forgot height
wikitext
text/x-wiki
{{Character Info
|Name=
|Image=
|Age=
|Birthday=
|Zodiac sign=
|Height=
|Occupation=
}}
b608f1c290af7d0558926bf8dc254d5a1efbb1d3
Teo
0
3
8
2022-08-23T13:01:50Z
Junikea
2
Created page + added character info table
wikitext
text/x-wiki
{| class="wikitable"
|+ '''<big>Information</big>'''
|-
|-
| Name || Teo
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 135 cm
|-
| Occupation || Aspiring film director
|}
6bd2c84b952a86b589389dcf7ac949bf0b620059
9
8
2022-08-23T13:03:27Z
Junikea
2
Fixed a typo
wikitext
text/x-wiki
{| class="wikitable"
|+ '''<big>Information</big>'''
|-
|-
| Name || Teo
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 185 cm
|-
| Occupation || Aspiring film director
|}
2f7beb2035bff7e4a94fe284e00258216881e860
Harry Choi
0
4
10
2022-08-23T13:05:40Z
Junikea
2
Created page + added character info table
wikitext
text/x-wiki
{| class="wikitable"
|+ '''<big>Information</big>'''
|-
|-
| Name || Harry Choi
|-
| Age || N/A
|-
| Birthday || N/A
|-
| Zodiac sign || N/A
|-
| Height || N/A
|-
| Occupation || Filmmaker, Script writer
|}
3c48c1c7e0e28f3c83ba3d69debd3ed05e3c298d
Harry Choi
0
4
11
10
2022-08-23T13:09:57Z
Junikea
2
Added new headers
wikitext
text/x-wiki
== Details ==
{| class="wikitable"
|-
|-
| Name || Harry Choi
|-
| Age || N/A
|-
| Birthday || N/A
|-
| Zodiac sign || N/A
|-
| Height || N/A
|-
| Occupation || Filmmaker, Script writer
|}
== General ==
TBA
== Background ==
TBA
35c569f644015ea4fbe282a8190ec76dae36b867
Teo
0
3
12
9
2022-08-23T13:10:48Z
Junikea
2
Added new headers
wikitext
text/x-wiki
== Details ==
{| class="wikitable"
|-
|-
| Name || Teo
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 185 cm
|-
| Occupation || Aspiring film director
|}
== General ==
TBA
== Background ==
TBA
36d14fee9a82aed67ae7ed5458ebec4aa43630be
PIU-PIU
0
5
13
2022-08-23T13:14:21Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Energy
0
6
14
2022-08-23T13:21:06Z
Junikea
2
Created page
wikitext
text/x-wiki
There are seven types of energy:
*Passionate
*Innocent
*Jolly
*Peaceful
*Logical
*Psychological
*Galactic
9db243f56d7d2c94510f033d20ee50d6f1366fe8
15
14
2022-08-23T13:22:11Z
Junikea
2
Fixed a typo
wikitext
text/x-wiki
There are seven types of energy:
*Passionate
*Innocent
*Jolly
*Peaceful
*Logical
*Philosophical
*Galactic
0226f8260e941cdb723de9c3f58c9bdfd6f54dd4
34
15
2022-08-24T10:15:43Z
YumaRowen
3
wikitext
text/x-wiki
There are seven types of energy:
*[[Passionate]]
*[[Innocent]]
*[[Jolly]]
*[[Peaceful]]
*[[Logical]]
*[[Philosophical]]
*[[Galactic]]
946d9d61208b4d1ab3c6b92b9e1fcda80214f1b4
37
34
2022-08-24T10:19:16Z
YumaRowen
3
wikitext
text/x-wiki
There are seven types of energy:
*[[Passionate Energy|Passionate]]
*[[Innocent Energy|Innocent]]
*[[Jolly Energy|Jolly]]
*[[Peaceful Energy|Peaceful]]
*[[Logical Energy|Logical]]
*[[Philosophical Energy|Philosophical]]
*[[Galactic Energy|Galactic]]
c8bfe3d75f36f135d63db7c24d2de7ae7d1d4264
Energy/Passionate Energy
0
7
16
2022-08-23T13:28:40Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
43
16
2022-08-24T10:34:12Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
ccf439848b372c5a82f4e8c88cd24e6542993f08
Energy/Innocent Energy
0
8
17
2022-08-23T13:29:18Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
38
17
2022-08-24T10:24:04Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a sensitive energy that you can gain by paying attention to words full of innocence and sensitivity. Once you get enough oh such innocent energy, you can fly to certain canals... Would you like to find out what they are?
|energyColor=#E2A360}}
d3c0ecc3fc89403e4949d76084d666c6cf8affb9
39
38
2022-08-24T10:25:27Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#E2A360">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#E2A360">innocence</span> and <span style="color:#E2A360">sensitivity</span>. Once you get enough of such <span style="color:#E2A360">innocent energy</span>, you can fly to certain <span style="color:#E2A360">canals</span>... Would you like to find out what they are?
|energyColor=#E2A360}}
1b0c1425cd1e770180b6bef6573f686816088070
41
39
2022-08-24T10:32:23Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
5f9347c243b954c2eec7458f963c7f09dfe28f58
Energy/Jolly Energy
0
9
18
2022-08-23T13:29:49Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
54
18
2022-08-24T10:46:19Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
980d268ed5e9a5f7ec9484c3264f4d0450d9cd6a
Energy/Peaceful Energy
0
10
19
2022-08-23T13:30:21Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
53
19
2022-08-24T10:43:56Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Peaceful
|description=This energy <span style="color:#66AA57">is serene, peaceful</span>, apparently born from <span style="color:#66AA57">heartwarimng considerations</span> and <span style="color:#66AA57">kindness</span>. Once <span style="color:#66AA57">gratitude</span> from every single human in the world comes together, a Milky Way is born above.
|energyColor=#66AA57}}
92ef481364cb7364b0d2ba0d735d8dacf7242af4
Energy/Logical Energy
0
11
20
2022-08-23T13:30:46Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
51
20
2022-08-24T10:41:09Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
768c1b2fd75b2c7408e147843e0a000ab026fb3e
Energy/Philosophical Energy
0
12
21
2022-08-23T13:31:12Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
49
21
2022-08-24T10:38:10Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
d930c4aa6c9abbe0d68bb142c81be5e6efacecf7
Energy/Galactic Energy
0
19
22
2022-08-23T13:31:38Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
28
22
2022-08-24T08:04:00Z
178.208.9.100
0
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|energyColor=#9861AD
}}
==test==
be71994ffd4586114fc18c12135b4ce6884e082f
35
2022-08-24T10:17:28Z
YumaRowen
3
Created page with "{{EnergyInfo |energyName=Galactic |description=This energy was begotten from <span style="color:#B94BC0">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#B94BC0">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding. |energyColor=#B94BC0}}"
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#B94BC0">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#B94BC0">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#B94BC0}}
e13a07ce49253d1d9fec2ba0ba461a9313d830a7
36
35
2022-08-24T10:18:04Z
YumaRowen
3
YumaRowen moved page [[Galactic]] to [[Galactic Energy]] without leaving a redirect: Wrong Name.
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#B94BC0">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#B94BC0">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#B94BC0}}
e13a07ce49253d1d9fec2ba0ba461a9313d830a7
45
36
2022-08-24T10:35:39Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#AC4ED8">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#AC4ED8">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#AC4ED8}}
dba325d203d0a4b5a3e0dbc7f3995e48b0f4fe3b
City of Free Men
0
14
23
2022-08-23T13:34:52Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Galatic Energy.png
6
15
24
2022-08-23T14:43:09Z
YumaRowen
3
This is the file for the galatic energy.
wikitext
text/x-wiki
== Summary ==
This is the file for the galatic energy.
ae13fdaf373c4d8adc0364dab84d645e955371a6
Template:EnergyInfo
10
16
25
2022-08-23T14:45:09Z
YumaRowen
3
Created page with "<includeonly> {|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right" ! style="text-align:center;" bgcolor="{{{energyColor}}}" | {{{energyName}}} |- | style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]] |- | style="text-align:center;" | ''"{{{description}}}"'' |- ! style="text-align:center;" bgcolor="#8E8E8E" | '''Planet''' |- | style="text-align:center; | File:{{{p..."
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;" bgcolor="{{{energyColor}}}" | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
! style="text-align:center;" bgcolor="#8E8E8E" | '''Planet'''
|-
| style="text-align:center; | [[File:{{{planet}}}_Planet.png]]
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galatic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|planet=X
|energyColor=#9861AD}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|planet=
|energyColor=
}}
</pre>
</noinclude>
c18af64fa2f93041dc3061d45818cbf1cbb41b84
26
25
2022-08-23T14:50:52Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;" bgcolor="{{{energyColor}}}" | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
! style="text-align:center;" bgcolor="#8E8E8E" | '''Planet'''
|-
| style="text-align:center; | [[File:{{{planet}}}_Planet.png]]
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galatic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|planet=X
|energyColor=#9861AD}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|planet=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
370cfa0b2707733a1ec5d08083d9fa4780361705
27
26
2022-08-24T08:03:06Z
178.208.9.100
0
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;" bgcolor="{{{energyColor}}}" | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center;" bgcolor="{{{energyColor}}}" | '''Description'''
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galatic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|energyColor=#9861AD}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
c5887b9758c40b5f557855b50cfe40709a971bc5
29
27
2022-08-24T09:18:33Z
Junikea
2
Fixed a typo
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;" bgcolor="{{{energyColor}}}" | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center;" bgcolor="{{{energyColor}}}" | '''Description'''
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|energyColor=#9861AD}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
c6ad3c321adf019690835c0bfc6b06789cf3bc31
32
29
2022-08-24T10:04:15Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#ECECEC; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;" bgcolor="{{{energyColor}}}" | {{{energyName}}}</span>
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center;" bgcolor="{{{energyColor}}}" | '''Description'''
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|energyColor=#B94BC0}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
8466047f18076d241fb786e50c6f2c1de124d7dd
33
32
2022-08-24T10:09:20Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#ECECEC; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;font-size:24px;font-family:Arial Black" bgcolor="{{{energyColor}}}" | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center;font-size:13px;font-family:Arial" bgcolor="#969696" | Description
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|energyColor=#B94BC0}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
d84d8be0828a7500cf5797fabe65b05dbbf30e23
File:Galactic Energy.png
6
17
30
2022-08-24T10:02:30Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:DailyEnergyInfo
10
18
31
2022-08-24T10:03:03Z
YumaRowen
3
Created page with "<includeonly>{| class="wikitable" style="width:40%;font-family:Arial" !colspan="2", style="border:2px dashed rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is '''''{{{energyName}}} day.'''''</span> |- |rowspan="3", style="text-align:center;border:2px dashed rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]] |style="text-align:center;border:2px dashed rgba(0,0,0,0);"| <span style="color..."
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial"
!colspan="2", style="border:2px dashed rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is '''''{{{energyName}}} day.'''''</span>
|-
|rowspan="3", style="text-align:center;border:2px dashed rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px dashed rgba(0,0,0,0);"| <span style="color:{{{energyColor}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|energyColor=#B94BC0
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|energyColor
}}
</pre>
</noinclude>
92aa585edfe1425f24809d941fb6c638c4563b19
59
31
2022-08-24T10:57:28Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is '''''{{{energyName}}} day.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{{energyColor}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|}
{|class="wikitable" style="width:40%;"
!colspan="2", style="border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}
|-
|colspan="2", style="border:2px solid rgba(0,0,0,0);text-align:right;background:#F2E2D5;"|- Dr. Cus Monsieur
|-
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|energyColor=#B94BC0
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|energyColor=
|cusMessage=
}}
</pre>
</noinclude>
a71eaea4e581d3ce809fd58a2fc8b2a90d587eb2
File:Innocent Energy.png
6
20
40
2022-08-24T10:25:37Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Passionate Energy.png
6
21
42
2022-08-24T10:34:04Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Moon Bunny
0
22
44
2022-08-24T10:35:22Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Space Sheep
0
23
46
2022-08-24T10:36:15Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Fuzzy Deer
0
24
47
2022-08-24T10:37:30Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Philosophical Energy.png
6
25
48
2022-08-24T10:37:45Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Logical Energy.png
6
26
50
2022-08-24T10:40:58Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Peaceful Energy.png
6
27
52
2022-08-24T10:43:56Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Jolly Energy.png
6
28
55
2022-08-24T10:46:29Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Space Creatures
0
29
56
2022-08-24T10:47:37Z
Junikea
2
Created page
wikitext
text/x-wiki
== Space Herbivores ==
*Moon Bunny
*Space Sheep
*Fuzzy Deer
6efdd6271297a87165cd4fd4b566eb50fd4da932
58
56
2022-08-24T10:51:44Z
Junikea
2
Added hyperlinks
wikitext
text/x-wiki
== Space Herbivores ==
*[[Moon Bunny]]
*[[Space Sheep]]
*[[Fuzzy Deer]]
cd44b8ad5b19924475b013cc905f7cde84102ecb
Vanas
0
31
57
2022-08-24T10:49:18Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:MainPageEnergyInfo
10
32
60
2022-08-24T11:06:03Z
YumaRowen
3
Created page with "{{DailyEnergyInfo |energyName=Innocent |date=8-24, 2022 |description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...' |energyColor=#F1A977 |cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today. }}"
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}}
5c91132f4e3868778802b06361767f53b73f2992
Main Page
0
1
61
4
2022-08-24T11:08:35Z
YumaRowen
3
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
== Today's Energy Info ==
{{MainPageEnergyInfo}}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
611e99a2326644cd552fecc2b1c5a311660fd9de
Template:DailyEnergyInfo
10
18
62
59
2022-08-24T11:26:34Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{{energyColor}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{{energyColor}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|}
{|class="wikitable" style="width:40%;"
!colspan="2", style="border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}
|-
|colspan="2", style="border:2px solid rgba(0,0,0,0);text-align:right;background:#F2E2D5;"|- Dr. Cus Monsieur
|-
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|energyColor=#B94BC0
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|energyColor=
|cusMessage=
}}
</pre>
</noinclude>
36eadc9099f05c2771cb8671dbce5d53e15a4c77
68
62
2022-08-24T11:59:03Z
Junikea
2
Added a hyphen
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{{energyColor}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{{energyColor}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|}
{|class="wikitable" style="width:40%;"
!colspan="2", style="border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}
|-
|colspan="2", style="border:2px solid rgba(0,0,0,0);text-align:right;background:#F2E2D5;"|- Dr. Cus-Monsieur
|-
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|energyColor=#B94BC0
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|energyColor=
|cusMessage=
}}
</pre>
</noinclude>
ec5f58bd1b15ca7ea1a2f560fe1a8260ac4159c7
MediaWiki:Common.css
8
33
63
2022-08-24T11:36:11Z
YumaRowen
3
Created page with "/* CSS placed here will be applied to all skins */ @import url('https://fonts.googleapis.com/css?family=insert+font+name+here%7Cinsert+font+name+here');"
css
text/css
/* CSS placed here will be applied to all skins */
@import url('https://fonts.googleapis.com/css?family=insert+font+name+here%7Cinsert+font+name+here');
5cd7a65e198ad95fc33cb6bd09c1ae437b686e84
64
63
2022-08-24T11:37:01Z
YumaRowen
3
css
text/css
/* CSS placed here will be applied to all skins */
@import url('https://fonts.googleapis.com/css?family=VT323%7CVT323');
2b2de8add5663dcc59fdb230f0468cbd6dafa00d
65
64
2022-08-24T11:40:03Z
YumaRowen
3
css
text/css
/* CSS placed here will be applied to all skins */
@import url('https://fonts.googleapis.com/css2?family=VT323');
fa05380a28f5c48112691375557df8dadab36435
MediaWiki:Sidebar
8
34
66
2022-08-24T11:54:18Z
YumaRowen
3
Created page with " * navigation ** mainpage|mainpage-description ** recentchanges-url|recentchanges ** randompage-url|randompage ** helppage|help-mediawiki * The Ssum ** Characters|Characters ** Energies|Energy ** Planets|Planets * SEARCH * TOOLBOX * LANGUAGES"
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energies|Energy
** Planets|Planets
* SEARCH
* TOOLBOX
* LANGUAGES
d4bf260d3a23f9c2917d153e0274ea26893eefe9
67
66
2022-08-24T11:54:37Z
YumaRowen
3
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energies
** Planets|Planets
* SEARCH
* TOOLBOX
* LANGUAGES
8f0faaaf7ac1e0680730b31faf9429191a2365c0
73
67
2022-08-24T12:57:11Z
YumaRowen
3
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energies
** Planets|Planets
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
7ea4d645bfc2adfba9d71b9af52e380abc3cdb52
Energy
0
6
69
37
2022-08-24T12:16:41Z
YumaRowen
3
wikitext
text/x-wiki
There are seven types of energy:
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Passionate_Energy.png|150px|link=Passionate_Energy]]<br>'''[[Passionate_Energy|Passionate]]''' ||
[[File:Innocent_Energy.png|150px|link=Innocent_Energy]]<br>'''[[Innocent_Energy|Innocent]]'''
|-
|[[File:Jolly_Energy.png|150px|link=Jolly_Energy]]<br>'''[[Jolly_Energy|Jolly]]''' ||[[File:Peaceful_Energy.png|150px|link=Peaceful_Energy]]<br>'''[[Peaceful_Energy|Peaceful]]'''
|-
|[[File:Logical_Energy.png|150px|link=Logical_Energy]]<br>'''[[Logical_Energy|Logical]]''' ||[[File:Philosophical_Energy.png|150px|link=Philosophical_Energy]]<br>'''[[Philosophical_Energy|Philosophical]]'''
|-
|colspan=2|[[File:Galactic_Energy.png|150px|link=Galactic_Energy]]<br>'''[[Galactic_Energy|Galactic]]'''
|}
56cb2b69b49af45e811799f1b8f1eabd8009237f
70
69
2022-08-24T12:19:47Z
YumaRowen
3
wikitext
text/x-wiki
There are eight types of energy:
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Passionate_Energy.png|150px|link=Passionate_Energy]]<br>'''[[Passionate_Energy|Passionate]]''' ||
[[File:Innocent_Energy.png|150px|link=Innocent_Energy]]<br>'''[[Innocent_Energy|Innocent]]'''
|-
|[[File:Jolly_Energy.png|150px|link=Jolly_Energy]]<br>'''[[Jolly_Energy|Jolly]]''' ||[[File:Peaceful_Energy.png|150px|link=Peaceful_Energy]]<br>'''[[Peaceful_Energy|Peaceful]]'''
|-
|[[File:Logical_Energy.png|150px|link=Logical_Energy]]<br>'''[[Logical_Energy|Logical]]''' ||[[File:Philosophical_Energy.png|150px|link=Philosophical_Energy]]<br>'''[[Philosophical_Energy|Philosophical]]'''
|-
|[[File:Galactic_Energy.png|150px|link=Galactic_Energy]]<br>'''[[Galactic_Energy|Galactic]]'''
|[[File:Rainbow_Energy.png|150px|link=Rainbow_Energy]]<br>'''[[Rainbow_Energy|Rainbow]]'''
|}
0eb3eb1b31213e4c888814ed408bb30dd145d935
100
70
2022-08-24T14:14:54Z
YumaRowen
3
wikitext
text/x-wiki
There are eight types of energy:
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Passionate_Energy.png|150px|link=Passionate_Energy]]<br>'''[[Energy/Passionate_Energy|Passionate]]''' ||
[[File:Innocent_Energy.png|150px|link=Innocent_Energy]]<br>'''[[Energy/Innocent_Energy|Innocent]]'''
|-
|[[File:Jolly_Energy.png|150px|link=Jolly_Energy]]<br>'''[[Energy/Jolly_Energy|Jolly]]''' ||[[File:Peaceful_Energy.png|150px|link=Peaceful_Energy]]<br>'''[[Energy/Peaceful_Energy|Peaceful]]'''
|-
|[[File:Logical_Energy.png|150px|link=Logical_Energy]]<br>'''[[Energy/Logical_Energy|Logical]]''' ||[[File:Philosophical_Energy.png|150px|link=Philosophical_Energy]]<br>'''[[Energy/Philosophical_Energy|Philosophical]]'''
|-
|[[File:Galactic_Energy.png|150px|link=Galactic_Energy]]<br>'''[[Energy/Galactic_Energy|Galactic]]'''
|[[File:Rainbow_Energy.png|150px|link=Rainbow_Energy]]<br>'''[[Energy/Rainbow_Energy|Rainbow]]'''
|}
d2cf0cfced25bce082d65bff772add4ddd2ab9b9
File:Rainbow Energy.png
6
35
71
2022-08-24T12:26:06Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Energy/Rainbow Energy
0
36
72
2022-08-24T12:38:33Z
YumaRowen
3
Created page with "{{EnergyInfo |energyName=Rainbow |description=N/A |energyColor=#E8F9FE }} <center> The Rainbow Energy is not an item.<br>It can only appear as the Energy of the Day, called "Rainbow Day". {{DailyEnergyInfo |energyName=Rainbow |date=8-21, 2022 |description=Today you can get all kinds of energy available. |energyColor=#61C2DF |cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day. }}</center>"
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Rainbow
|description=N/A
|energyColor=#E8F9FE
}}
<center>
The Rainbow Energy is not an item.<br>It can only appear as the Energy of the Day, called "Rainbow Day".
{{DailyEnergyInfo
|energyName=Rainbow
|date=8-21, 2022
|description=Today you can get all kinds of energy available.
|energyColor=#61C2DF
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.
}}</center>
a338f4414d84c4a81bc38ef4d6405f8c9ad21a3b
93
72
2022-08-24T13:47:15Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Rainbow
|description=N/A
|energyColor=#E8F9FE
}}
<center>
The Rainbow Energy is not an item.<br>It can only appear as the Energy of the Day, called "Rainbow Day".
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Rainbow
|date=8-21, 2022
|description=Today you can get all kinds of energy available.
|energyColor=#61C2DF
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.
}} </center>
|-
|}
</center>
[[Category:Energy]]
7661be15f8a9bee67c610e0f71095abff5a54465
Energy/Passionate Energy
0
7
74
43
2022-08-24T13:19:59Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy is also called ''"Passion"'' in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
a2658ebca1fec0169333bd556e0147f88c692957
76
74
2022-08-24T13:29:15Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
79a470b59f616aed57dc343d39f06536cd2d579f
78
76
2022-08-24T13:29:50Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
08fefc89f6d6aa422d9b5b92c30de3957bc9e13b
79
78
2022-08-24T13:30:04Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
1340fd0874b0766f2ec03aac3b8abc26fdbb6f14
81
79
2022-08-24T13:32:58Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
d960f819c4416d88b997217e77d2fab0afdeb40f
99
81
2022-08-24T14:14:18Z
YumaRowen
3
YumaRowen moved page [[Passionate Energy]] to [[Energy/Passionate Energy]] without leaving a redirect
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
d960f819c4416d88b997217e77d2fab0afdeb40f
Energy/Innocent Energy
0
8
75
41
2022-08-24T13:28:30Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used in the [[Incubator]].
{| style="margin-left: 0px; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}} </center>
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}} </center>
|}
8f78a8f9966182277562088f19111f32bda9f7a0
77
75
2022-08-24T13:29:33Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions or gifts in the [[Incubator]].
{| style="margin-left: 0px; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}} </center>
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}} </center>
|}
1c56dd6df6d18ef5fc06c9c6432770ef3a491b90
80
77
2022-08-24T13:30:27Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: 0px; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}} </center>
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}} </center>
|}
[[Category:Energy]]
fdc22d1d7657632d8e5e292f11e889e5f84b2eaa
94
80
2022-08-24T13:47:32Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}} </center>
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}} </center>
|}
[[Category:Energy]]
f985ba88e61a05f8d29db21c8c92f63caef5930f
95
94
2022-08-24T13:47:34Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Rainbow
|date=8-21, 2022
|description=Today you can get all kinds of energy available.
|energyColor=#61C2DF
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.
}} </center>
|-
|}
[[Category:Energy]]
c22010fc662372e3426798102b1b2d5d74bfd0cc
96
95
2022-08-24T13:49:29Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}} </center>
|-
|}
[[Category:Energy]]
39329eb466c39f13cabd92310c755412f7fcaa59
101
96
2022-08-24T14:15:03Z
YumaRowen
3
YumaRowen moved page [[Innocent Energy]] to [[Energy/Innocent Energy]]
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}} </center>
|-
|}
[[Category:Energy]]
39329eb466c39f13cabd92310c755412f7fcaa59
Energy/Jolly Energy
0
9
82
54
2022-08-24T13:33:03Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
83b7453af5d2dd1e6656e21e4a4217f7b4439058
89
82
2022-08-24T13:43:33Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
0b6bd99fe1a98c007e3aecf21014cda42dc93d4d
97
89
2022-08-24T13:51:42Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Jolly
|date=8-20, 2022
|description=This energy is being emitted from a digital comedy video that features a comedian pulling a show of multiple characters.
|energyColor=#F1A977
|cusMessage=A Jolly Joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}} </center>
|}
[[Category:Energy]]
c5ef6b3cbf90d4fb1b807e672b7afe08c91d788f
103
97
2022-08-24T14:15:27Z
YumaRowen
3
YumaRowen moved page [[Jolly Energy]] to [[Energy/Jolly Energy]]
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Jolly
|date=8-20, 2022
|description=This energy is being emitted from a digital comedy video that features a comedian pulling a show of multiple characters.
|energyColor=#F1A977
|cusMessage=A Jolly Joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}} </center>
|}
[[Category:Energy]]
c5ef6b3cbf90d4fb1b807e672b7afe08c91d788f
Energy/Peaceful Energy
0
10
83
53
2022-08-24T13:33:21Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Peaceful
|description=This energy <span style="color:#66AA57">is serene, peaceful</span>, apparently born from <span style="color:#66AA57">heartwarimng considerations</span> and <span style="color:#66AA57">kindness</span>. Once <span style="color:#66AA57">gratitude</span> from every single human in the world comes together, a Milky Way is born above.
|energyColor=#66AA57}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
316a1455f1b6aa9d6c1972eadba82e5bb5b8426b
90
83
2022-08-24T13:43:43Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Peaceful
|description=This energy <span style="color:#66AA57">is serene, peaceful</span>, apparently born from <span style="color:#66AA57">heartwarimng considerations</span> and <span style="color:#66AA57">kindness</span>. Once <span style="color:#66AA57">gratitude</span> from every single human in the world comes together, a Milky Way is born above.
|energyColor=#66AA57}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
9d72c13deff32e5a91f32d733785adac90f872df
105
90
2022-08-24T14:15:31Z
YumaRowen
3
YumaRowen moved page [[Peaceful Energy]] to [[Energy/Peaceful Energy]]
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Peaceful
|description=This energy <span style="color:#66AA57">is serene, peaceful</span>, apparently born from <span style="color:#66AA57">heartwarimng considerations</span> and <span style="color:#66AA57">kindness</span>. Once <span style="color:#66AA57">gratitude</span> from every single human in the world comes together, a Milky Way is born above.
|energyColor=#66AA57}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
9d72c13deff32e5a91f32d733785adac90f872df
Energy/Logical Energy
0
11
84
51
2022-08-24T13:33:25Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
c78f974e4fe7842072578c8246bc8d039f68505a
87
84
2022-08-24T13:37:34Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
|}
[[Category:Energy]]
4d1c78dbdc2fffcff0981a75eddbb24b63486a3e
88
87
2022-08-24T13:42:58Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
|} </center>
[[Category:Energy]]
231ca2c0e6560e326ee70a52eedd34abbf5f07ac
107
88
2022-08-24T14:15:36Z
YumaRowen
3
YumaRowen moved page [[Logical Energy]] to [[Energy/Logical Energy]]
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
|} </center>
[[Category:Energy]]
231ca2c0e6560e326ee70a52eedd34abbf5f07ac
Energy/Philosophical Energy
0
12
85
49
2022-08-24T13:33:33Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
2f47b385986b9d39e291688485e7c37585da4515
91
85
2022-08-24T13:43:57Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
76713ba325c8c1363b7f0b3eee54f1f74d0aca29
98
91
2022-08-24T13:54:03Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...
}} </center>
|}
[[Category:Energy]]
3539610b2cb1fcc445392e0d4fe297f039951300
109
98
2022-08-24T14:15:40Z
YumaRowen
3
YumaRowen moved page [[Philosophical Energy]] to [[Energy/Philosophical Energy]]
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...
}} </center>
|}
[[Category:Energy]]
3539610b2cb1fcc445392e0d4fe297f039951300
Energy/Galactic Energy
0
19
86
45
2022-08-24T13:33:38Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#AC4ED8">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#AC4ED8">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#AC4ED8}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
f58ee94f4a313aa5f6bde698cf9c080746ea51a0
92
86
2022-08-24T13:44:03Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#AC4ED8">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#AC4ED8">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#AC4ED8}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
c613858b04bb78a3ba0d4f975d96d44bfdd9eff5
Innocent Energy
0
37
102
2022-08-24T14:15:03Z
YumaRowen
3
YumaRowen moved page [[Innocent Energy]] to [[Energy/Innocent Energy]]
wikitext
text/x-wiki
#REDIRECT [[Energy/Innocent Energy]]
b7e9487cf9d7be034f57fdb874bbcdadefaf0976
Jolly Energy
0
38
104
2022-08-24T14:15:27Z
YumaRowen
3
YumaRowen moved page [[Jolly Energy]] to [[Energy/Jolly Energy]]
wikitext
text/x-wiki
#REDIRECT [[Energy/Jolly Energy]]
207fb49601d38b6e15d4a4ebc21e67cfcc2d588a
Peaceful Energy
0
39
106
2022-08-24T14:15:31Z
YumaRowen
3
YumaRowen moved page [[Peaceful Energy]] to [[Energy/Peaceful Energy]]
wikitext
text/x-wiki
#REDIRECT [[Energy/Peaceful Energy]]
e85acfcf3407576f607ea1b067979694c90c16f0
Logical Energy
0
40
108
2022-08-24T14:15:36Z
YumaRowen
3
YumaRowen moved page [[Logical Energy]] to [[Energy/Logical Energy]]
wikitext
text/x-wiki
#REDIRECT [[Energy/Logical Energy]]
5ecb58d3e37f18ca383520ec48b2afec138fd216
Philosophical Energy
0
41
110
2022-08-24T14:15:40Z
YumaRowen
3
YumaRowen moved page [[Philosophical Energy]] to [[Energy/Philosophical Energy]]
wikitext
text/x-wiki
#REDIRECT [[Energy/Philosophical Energy]]
a09818a9ff170c0c916c1d7e655f38d11dd00172
Energy/Galactic Energy
0
19
111
92
2022-08-24T14:15:44Z
YumaRowen
3
YumaRowen moved page [[Galactic Energy]] to [[Energy/Galactic Energy]]
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#AC4ED8">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#AC4ED8">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#AC4ED8}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
[[Category:Energy]]
c613858b04bb78a3ba0d4f975d96d44bfdd9eff5
Galactic Energy
0
42
112
2022-08-24T14:15:44Z
YumaRowen
3
YumaRowen moved page [[Galactic Energy]] to [[Energy/Galactic Energy]]
wikitext
text/x-wiki
#REDIRECT [[Energy/Galactic Energy]]
9f7e221fb745a79b76b5cce8dd0e2d417601a877
Energy/Rainbow Energy
0
36
113
93
2022-08-24T14:15:49Z
YumaRowen
3
YumaRowen moved page [[Rainbow Energy]] to [[Energy/Rainbow Energy]]
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Rainbow
|description=N/A
|energyColor=#E8F9FE
}}
<center>
The Rainbow Energy is not an item.<br>It can only appear as the Energy of the Day, called "Rainbow Day".
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Rainbow
|date=8-21, 2022
|description=Today you can get all kinds of energy available.
|energyColor=#61C2DF
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.
}} </center>
|-
|}
</center>
[[Category:Energy]]
7661be15f8a9bee67c610e0f71095abff5a54465
Rainbow Energy
0
43
114
2022-08-24T14:15:49Z
YumaRowen
3
YumaRowen moved page [[Rainbow Energy]] to [[Energy/Rainbow Energy]]
wikitext
text/x-wiki
#REDIRECT [[Energy/Rainbow Energy]]
c622491ceb9413fa08842e43307a1db04a98559a
Planets
0
44
115
2022-08-24T14:26:10Z
YumaRowen
3
Created page with "There are planets you can unlock by repeateadly acquiring one specific [[Emotion|emotion]]/[[Frequency]]. == Emotion Planets == {|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;" |- |[[File:City_of_Free_Men_Planet.png|150px|link=City_of_Free_Men]]<br>'''[[Planet/City of Free Men|City of Free Men]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Mountains of Wandering Humor]]<br>'''Planet/Mountain..."
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion|emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=City_of_Free_Men]]<br>'''[[Planet/City of Free Men|City of Free Men]]''' ||
[[File:Mountains of Wandering Humor_Planet.png|150px|link=Mountains of Wandering Humor]]<br>'''[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Milky Way of Gratitude]]<br>'''[[Planet/Milky Way of Gratitude|Milky Way of Gratitude]]''' ||[[File:Archive of Terran Info_Planet.png|150px|link=Archive of Terran Info]]<br>'''[[Planet/Archive of Terran Info|Archive of Terran Info]]'''
|-
|[[File:Bamboo Forest of Troubles_Planet.png|150px|link=Bamboo Forest of Troubles]]<br>'''[[Planet/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' ||[[File:Archive of Sentences_Planet.png|150px|link=Archive of Sentences]]<br>'''[[Planet/Archive of Sentences|Archive of Sentences]]'''
|-
|???
|???
|}
== Frequency Planets ==
8b5a5fffe07e3f5942be160c7ffb2284e60c62fd
122
115
2022-08-24T14:42:28Z
YumaRowen
3
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion|emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
| [[File:City_of_Free_Men_Planet.png|150px|link=City_of_Free_Men]]<br>'''[[Planet/City of Free Men|City of Free Men]]''' || ???
|-
| ??? || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Mountains of Wandering Humor]]<br>'''[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Milky Way of Gratitude]]<br>'''[[Planet/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Archive of Terran Info]]<br>'''[[Planet/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|150px|link=Bamboo Forest of Troubles]]<br>'''[[Planet/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Archive of Sentences]]<br>'''[[Planet/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
d6b0ddca3b77fb99ecdcd2edf2d5bad5cbf90cbf
123
122
2022-08-24T14:42:45Z
YumaRowen
3
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
| [[File:City_of_Free_Men_Planet.png|150px|link=City_of_Free_Men]]<br>'''[[Planet/City of Free Men|City of Free Men]]''' || ???
|-
| ??? || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Mountains of Wandering Humor]]<br>'''[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Milky Way of Gratitude]]<br>'''[[Planet/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Archive of Terran Info]]<br>'''[[Planet/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|150px|link=Bamboo Forest of Troubles]]<br>'''[[Planet/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Archive of Sentences]]<br>'''[[Planet/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
7a493b18925a5d8706b303b69f1d5882e3fd4941
133
123
2022-08-24T15:21:38Z
Junikea
2
Added remaining emotion planets
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=City_of_Free_Men]]<br>'''[[Planet/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Root of Desire]]<br>'''[[Planet/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|150px|link=Canals of Sensitivity]]<br>'''[[Planet/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Mountains of Wandering Humor]]<br>'''[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Milky Way of Gratitude]]<br>'''[[Planet/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Archive of Terran Info]]<br>'''[[Planet/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|150px|link=Bamboo Forest of Troubles]]<br>'''[[Planet/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Archive of Sentences]]<br>'''[[Planet/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
9f032fa32da0f89bbb5e86f496178ea70520bae4
157
133
2022-08-24T22:51:41Z
Junikea
2
Added Vanas to Frequency Planets
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=City_of_Free_Men]]<br>'''[[Planet/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Root of Desire]]<br>'''[[Planet/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|150px|link=Canals of Sensitivity]]<br>'''[[Planet/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Mountains of Wandering Humor]]<br>'''[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Milky Way of Gratitude]]<br>'''[[Planet/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Archive of Terran Info]]<br>'''[[Planet/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|150px|link=Bamboo Forest of Troubles]]<br>'''[[Planet/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Archive of Sentences]]<br>'''[[Planet/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|150px|link=Vanas]]<br>'''[[Planet/Vanas|Vanas]]''' || ???'''
|-
|}
271372cc8fb5df5fc475821787f7c73baa539ddc
File:City of Free Men Planet.png
6
45
116
2022-08-24T14:28:36Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Mountains of Wandering Humor Planet.png
6
46
117
2022-08-24T14:28:50Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Milky Way of Gratitude Planet.png
6
47
118
2022-08-24T14:28:57Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Archive of Terran Info Planet.png
6
48
119
2022-08-24T14:29:08Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Bamboo Forest of Troubles Planet.png
6
49
120
2022-08-24T14:29:25Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Archive of Sentences Planet.png
6
50
121
2022-08-24T14:29:36Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Planets/City of Free Men
0
51
124
2022-08-24T14:54:13Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
142
124
2022-08-24T21:57:52Z
User135
5
wikitext
text/x-wiki
== Description ==
"''In the City of Free Men, you can freely offer topics and ideas. Free men find delight in unpredictable topics that can relieve them from boredom.''"
ba79774462aacd26d15195d1154162fd436f3aad
Planets/Root of Desire
0
52
125
2022-08-24T14:56:24Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
144
125
2022-08-24T22:01:09Z
User135
5
wikitext
text/x-wiki
== Description ==
"''The Root of Desire constantly sends out galactic signals for satisfying desires, and signals from this planet are permanent. They include desires such as... Salads... Beer... Winning the lottery...''"
f4d20f0addb563d5fe94c7e5e1b7c925fd5b7ec2
Planets/Canals of Sensitivity
0
53
126
2022-08-24T14:57:26Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
145
126
2022-08-24T22:02:56Z
User135
5
wikitext
text/x-wiki
== Description ==
"''Canals of Sensitivity are full of powerful energy that helps our writing participants to express their sensitivities with words.''"
e86a491a813f0e4fa44ce01e787f8d546a523fd5
Planets/Mountains of Wandering Humor
0
54
127
2022-08-24T14:57:56Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
146
127
2022-08-24T22:04:32Z
User135
5
wikitext
text/x-wiki
== Description ==
"''Do not trust the signals from the Mountains of Wandering Humor. Once you do, you would wish you have never trusted them.''"
9df0fcfc42f86d771cd387156a1e138ebb2c66d9
Planets/Milky Way of Gratitude
0
55
128
2022-08-24T14:58:10Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
147
128
2022-08-24T22:06:27Z
User135
5
wikitext
text/x-wiki
== Description ==
"''The signals from the Milky Way of Gratitude are essential in keeping the balance of the universe. Yes, you could say they are the galactic oxygen.''"
f2e7d046fbe27ddf4ec36653bd951e29fda7893f
Planets/Archive of Terran Info
0
56
129
2022-08-24T14:58:22Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
148
129
2022-08-24T22:07:56Z
User135
5
wikitext
text/x-wiki
== Description ==
"''Try analyzing the data from the Archive of Terran Info. But make sure you have the Wall of Reason to keep you objective.''"
4a45cfa42a010d69340f5b4d4e74bbe3916ea90d
Planets/Bamboo Forest of Troubles
0
57
130
2022-08-24T14:58:40Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
149
130
2022-08-24T22:09:51Z
User135
5
wikitext
text/x-wiki
== Description ==
"''If you have troubles, visit the Bamboo Forest of Troubles to scream them out. People will not be able to tell voices in this forest.''"
1baaac11c6ac5ddd32f02e61ccef7f649c0329c9
Planets/Archive of Sentences
0
58
131
2022-08-24T14:58:55Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
150
131
2022-08-24T22:12:00Z
User135
5
wikitext
text/x-wiki
== Description ==
"''Languages of harmony that calls forth universal human agreement is collecting... A variety of energy will rise simply by reading trending terms, golden quotes, and impressive sentences.''"
22dd772fc0478ef880c7409a8534f7c4e90ce5b1
Planet/Vanas
0
59
132
2022-08-24T15:00:09Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Characters
0
60
134
2022-08-24T17:08:54Z
Junikea
2
Created page
wikitext
text/x-wiki
*[[Teo]]
*[[Harry Choi]]
938f977888da6baa8de624bead04a7d7f412bc20
141
134
2022-08-24T21:55:38Z
Junikea
2
Added more characters
wikitext
text/x-wiki
*[[Harry Choi]]
*[[Player]]
*[[Teo]]
*[[Teo's father]]
*[[Teo's mother]]
0e5cc240ee3edbfb339d71cba46d84f871701502
File:Teo.png
6
61
135
2022-08-24T20:26:31Z
User135
5
wikitext
text/x-wiki
...
6eae3a5b062c6d0d79f070c26e6d62486b40cb46
File:Harry Choi profile.png
6
62
136
2022-08-24T20:40:08Z
Junikea
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Teo
0
3
137
12
2022-08-24T21:41:35Z
User135
5
Profile picture, border of details
wikitext
text/x-wiki
[[File:Teo.png|thumb|right|250px]]
== General ==
TBA
== Background ==
TBA
</br/></br/></br/>
{| class="wikitable floatright" style="width: 250px; border:2px dashed lightsalmon;"
|+ Details
|-
|-
| Name || Teo (태오)
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 185 cm
|-
| Occupation || Aspiring film director
|}
51c60405c727b4497c0475626f53277d23998440
158
137
2022-08-25T10:17:46Z
User135
5
Additional information about Teo
wikitext
text/x-wiki
[[File:Teo.png|thumb|right|250px]]
== General ==
TBA
== Background ==
TBA
</br/>
{| class="wikitable floatright" style="width: 260px; border:2px dashed lightsalmon;"
|+ Details
|-
|-
| Name || Teo (태오)
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 185 cm
|-
| Weight || 72 kg
|-
| Occupation || Aspiring film director
|-
| Hobby || walking, photograph, filming shooting
|-
| Like || fantasy movies, cute animals
|-
| Dislike || ghost, carrot, bugs
|}
284886124f63d391a95029fe4dd4686359387831
159
158
2022-08-25T10:31:52Z
User135
5
wikitext
text/x-wiki
[[File:Teo.png|thumb|right|250px]]
== General ==
TBA
== Background ==
TBA
</br/>
{| class="wikitable floatright" style="width: 270px; border:2px dashed lightsalmon;"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 185 cm
|-
| Weight || 72 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || walking, photograph, filming shooting
|-
| Likes || fantasy movies, cute animals
|-
| Dislikes || ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
92f4bcf2ccdc8ca413baf8fd13a20f290c3689cd
160
159
2022-08-25T13:47:09Z
Junikea
2
Added decimals
wikitext
text/x-wiki
[[File:Teo.png|thumb|right|250px]]
== General ==
TBA
== Background ==
TBA
</br/>
{| class="wikitable floatright" style="width: 270px; border:2px dashed lightsalmon;"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || walking, photograph, filming shooting
|-
| Likes || fantasy movies, cute animals
|-
| Dislikes || ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
12b25c3811ca41b2fb90a2a6796ddcf8591cad8d
Player
0
63
138
2022-08-24T21:52:38Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Teo's father
0
64
139
2022-08-24T21:53:22Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
143
139
2022-08-24T22:00:42Z
Junikea
2
Added headers + some info
wikitext
text/x-wiki
== General ==
[[Teo]]'s father. Is a film director. Loves riddles and quizzes.
== Background ==
dec97d97cdb9c1111633ae23e36ad8df622b655d
Teo's mother
0
65
140
2022-08-24T21:54:07Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
MediaWiki:Sidebar
8
34
151
73
2022-08-24T22:20:40Z
Junikea
2
Changed "Energies" to "Energy" for consistency
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energy
** Planets|Planets
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
8b97237de198730af2d6458658214f67efd428c6
Energy/Logical Energy
0
11
152
107
2022-08-24T22:25:41Z
Junikea
2
Deleted a sentence that probably got here by mistake
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
|} </center>
[[Category:Energy]]
566704c046d26a3ae23928f75103348b03e618ec
155
152
2022-08-24T22:35:12Z
Junikea
2
Added daily energy data for 8-25
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
|} </center>
[[Category:Energy]]
cdbb953ecce0ca389250106bedad10aa5fc0c776
156
155
2022-08-24T22:43:55Z
Junikea
2
Changed wording so it's uniform across different energy pages.
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
|} </center>
[[Category:Energy]]
03923363ccc027a4f14dcf3d51ef0d35a4573e62
Energy/Innocent Energy
0
8
153
101
2022-08-24T22:30:44Z
Junikea
2
Added daily energy data from 8-24
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}}
{{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}}
</center>
|-
|}
[[Category:Energy]]
4b9e522038a2401e34d04b11ceed12524dde1c79
Template:MainPageEnergyInfo
10
32
154
60
2022-08-24T22:34:24Z
Junikea
2
Added daily energy data for 8-25
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
00ce7bf5ce199282a65eb9514bf488f0ac967955
Teo
0
3
161
160
2022-08-25T14:05:26Z
User135
5
Added "Trivia"
wikitext
text/x-wiki
[[File:Teo.png|thumb|right|250px]]
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2
* Teo was quite angsty during his adolescense
* Teo has relatively long fingers and toes.
{| class="wikitable floatright" style="width: 270px; border:2px dashed lightsalmon;"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7th of July
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
e5288a7229c189420d4ff712477ebab2a6c0971c
162
161
2022-08-25T15:41:46Z
Junikea
2
Changed to Korean date system
wikitext
text/x-wiki
[[File:Teo.png|thumb|right|250px]]
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2
* Teo was quite angsty during his adolescense
* Teo has relatively long fingers and toes.
{| class="wikitable floatright" style="width: 270px; border:2px dashed lightsalmon;"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7-7
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
5e1aebf696a8446f07f0f84f0723db81ba890ba9
163
162
2022-08-25T19:03:29Z
User135
5
Instead of float, added margin-right and margin-left tags
wikitext
text/x-wiki
[[File:Teo.png|thumb|right|250px]]
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2
* Teo was quite angsty during his adolescense
* Teo has relatively long fingers and toes.
{| class="wikitable" style="width: 270px; border:2px dashed lightsalmon; margin-left: auto; margin-right: 0;"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7-7
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
0eba07efeccc807f8f1e14f267d815256c433c53
164
163
2022-08-25T19:29:31Z
User135
5
Changed page design to check if it works for mobile
wikitext
text/x-wiki
[[File:Teo.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; height: 290px; border:2px ridge teal; margin-left: auto; margin-right: auto;"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7-7
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
== General ==
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescense.
* Teo has relatively long fingers and toes.
1b50bbbfd13cb7520e0830c105a4600b85431854
165
164
2022-08-25T19:32:24Z
User135
5
wikitext
text/x-wiki
[[File:Teo.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7-7
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
== General ==
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescense.
* Teo has relatively long fingers and toes.
5c8eb7d31ca2790bfa79bc18d2f3902e45b89b6f
166
165
2022-08-25T19:48:59Z
User135
5
/* Trivia */Fixed typo
wikitext
text/x-wiki
[[File:Teo.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ Details
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7-7
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
== General ==
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
2dd5e5ca62003b8368d43ca79eabd2f3ad5eda7c
167
166
2022-08-25T19:56:12Z
User135
5
Aligned the caption to center
wikitext
text/x-wiki
[[File:Teo.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7-7
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
== General ==
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
0399b8dab9c4b6f7993dbd0c51271858783dacea
168
167
2022-08-26T07:53:42Z
User135
5
/* Trivia */Added Trivia fact
wikitext
text/x-wiki
[[File:Teo.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || Teo [태오]
|-
| Age || 27
|-
| Birthday || 7-7
|-
| Zodiac sign || Cancer
|-
| Height || 185.7 cm
|-
| Weight || 72.3 kg
|-
| Occupation || Aspiring film director
|-
| Hobbies || Walking, photograph, filming shooting
|-
| Likes || Fantasy movies, cute animals
|-
| Dislikes || Ghost, carrot, bugs
|-
| Voice Actor || Song Seung-heon [송승헌]
|}
== General ==
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
2dff092a1c32d532f4533eae415018d0875510ef
186
168
2022-08-26T13:30:06Z
YumaRowen
3
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
2bb3a5e7b8686e0ec74ba7f47751a5f391473b7e
194
186
2022-08-26T15:10:57Z
Junikea
2
Added a TBA
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
837cfb3344b2cbc53bf5327a9fb6132185f12036
Template:DailyEnergyInfo
10
18
169
68
2022-08-26T08:53:48Z
176.149.141.45
0
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;float:right"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{{energyColor}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{{energyColor}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|energyColor=#B94BC0
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|energyColor=
|cusMessage=
}}
</pre>
</noinclude>
005776b4f88a3620c7f48f5dbbf9a144ae6dfd7f
178
169
2022-08-26T10:03:39Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;float:right"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{#ifeq: {{{energyName}}}|Passionate|#E65D64|{{#ifeq: {{{energyName}}}|Innocent|#F1A977|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#66AA57|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#67A6C7|{{#ifeq: {{{energyName}}}|Philosophical|#5364B6|{{#ifeq: {{{energyName}}}|Galactic|#AC4ED8|{{#ifeq: {{{energyName}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{#ifeq: {{{energyName}}}|Passionate|#E65D64|{{#ifeq: {{{energyName}}}|Innocent|#F1A977|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#66AA57|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#67A6C7|{{#ifeq: {{{energyName}}}|Philosophical|#5364B6|{{#ifeq: {{{energyName}}}|Galactic|#AC4ED8|{{#ifeq: {{{energyName}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Rainbow
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|energyColor=#B94BC0
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|energyColor=
|cusMessage=
}}
</pre>
</noinclude>
f00409ce534a7a6b2a68b4af149e50ee00f8d933
179
178
2022-08-26T10:04:01Z
YumaRowen
3
/* How to use the template */
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;float:right"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{#ifeq: {{{energyName}}}|Passionate|#E65D64|{{#ifeq: {{{energyName}}}|Innocent|#F1A977|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#66AA57|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#67A6C7|{{#ifeq: {{{energyName}}}|Philosophical|#5364B6|{{#ifeq: {{{energyName}}}|Galactic|#AC4ED8|{{#ifeq: {{{energyName}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{#ifeq: {{{energyName}}}|Passionate|#E65D64|{{#ifeq: {{{energyName}}}|Innocent|#F1A977|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#66AA57|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#67A6C7|{{#ifeq: {{{energyName}}}|Philosophical|#5364B6|{{#ifeq: {{{energyName}}}|Galactic|#AC4ED8|{{#ifeq: {{{energyName}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Rainbow
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|energyColor=#B94BC0
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|cusMessage=
}}
</pre>
</noinclude>
a106aba04f71ebc766a530fea853c44477d194a6
180
179
2022-08-26T10:04:14Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;float:right"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{#ifeq: {{{energyName}}}|Passionate|#E65D64|{{#ifeq: {{{energyName}}}|Innocent|#F1A977|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#66AA57|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#67A6C7|{{#ifeq: {{{energyName}}}|Philosophical|#5364B6|{{#ifeq: {{{energyName}}}|Galactic|#AC4ED8|{{#ifeq: {{{energyName}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{#ifeq: {{{energyName}}}|Passionate|#E65D64|{{#ifeq: {{{energyName}}}|Innocent|#F1A977|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#66AA57|{{#ifeq: {{{energyName}}}|Jolly|#F6CC54|{{#ifeq: {{{energyName}}}|Peaceful|#67A6C7|{{#ifeq: {{{energyName}}}|Philosophical|#5364B6|{{#ifeq: {{{energyName}}}|Galactic|#AC4ED8|{{#ifeq: {{{energyName}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Rainbow
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|cusMessage=
}}
</pre>
</noinclude>
b868b11b190299a57986153a2843f28c72e953c8
Main Page
0
1
170
61
2022-08-26T08:54:14Z
176.149.141.45
0
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
{{MainPageEnergyInfo}}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
d51168422e967d1e486b7ce3c501b40b191465d2
171
170
2022-08-26T09:34:22Z
YumaRowen
3
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
6d0ae9666328a035a704c1e4b7d2742ad5d61ddf
Template:MainPageEnergyInfo
10
32
173
154
2022-08-26T09:41:13Z
YumaRowen
3
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|energyColor=#5364B6
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
df5c106978508e238473a8b3170bfe66d32cbbd2
Template:EnergyInfo
10
16
174
33
2022-08-26T09:44:41Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#ECECEC; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;font-size:24px;font-family:Arial Black" bgcolor="{{{energyColor}}}" | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center;font-size:13px;font-family:Arial" bgcolor="#969696" | Description
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
| Energy Color: {{{energyColor}}}
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|energyColor=#B94BC0}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
1d145fd1d1def392127cb5ad34583f948a467f70
Jay
0
67
175
2022-08-26T09:47:28Z
Junikea
2
Created page + added layout
wikitext
text/x-wiki
[[File:WIP.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || Jay
|-
| Age || N/A
|-
| Birthday || N/A
|-
| Zodiac sign || N/A
|-
| Height || N/A
|-
| Weight || N/A
|-
| Occupation || N/A
|-
| Hobbies || N/A
|-
| Likes || N/A
|-
| Dislikes || N/A
|-
| Voice Actor || N/A
|}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
33b8cc6aa76a3d8f8fbb85cd05faeb622a905f84
Characters
0
60
176
141
2022-08-26T09:51:31Z
Junikea
2
Added Jay
wikitext
text/x-wiki
*[[Harry Choi]]
*[[Jay]]
*[[Player]]
*[[Teo]]
*[[Teo's father]]
*[[Teo's mother]]
0ea93c7e78bf80ade69963a4e1723396fcbb940e
Harry Choi
0
4
177
11
2022-08-26T09:54:39Z
Junikea
2
Changed layout
wikitext
text/x-wiki
[[File:WIP.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || Harry Choi
|-
| Age || N/A
|-
| Birthday || N/A
|-
| Zodiac sign || N/A
|-
| Height || N/A
|-
| Weight || N/A
|-
| Occupation || Filmmaker, Script writer
|-
| Hobbies || N/A
|-
| Likes || N/A
|-
| Dislikes || N/A
|-
| Voice Actor || N/A
|}
== General ==
TBA
== Background ==
TBA
ed3357a88698fab3000bb871e88a3c8cf800ce71
181
177
2022-08-26T10:05:57Z
Junikea
2
Added photo
wikitext
text/x-wiki
[[File:Harry_Choi.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || Harry Choi
|-
| Age || N/A
|-
| Birthday || N/A
|-
| Zodiac sign || N/A
|-
| Height || N/A
|-
| Weight || N/A
|-
| Occupation || Filmmaker, Script writer
|-
| Hobbies || N/A
|-
| Likes || N/A
|-
| Dislikes || N/A
|-
| Voice Actor || N/A
|}
== General ==
Doesn't talk much.
== Background ==
TBA
d39f138877e559136bf61fdb7239c1a109185c94
Template:News
10
68
182
2022-08-26T10:10:59Z
YumaRowen
3
Created page with "{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)" | <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div> <div style="text-align:center">{{MainPageEnergyInfo}}</div> |+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News |}"
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
d2695baa97c05c82585c38575353d6629bf6a96a
Template:CharacterInfo
10
2
183
7
2022-08-26T10:34:42Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
[[File:{{{nameEN}}}_profile.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
</includeonly>
<noinclude>
{{Character_Info
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
1accadfdbc1b7c1765c07292dfeb59645e7139f9
185
183
2022-08-26T13:29:51Z
YumaRowen
3
YumaRowen moved page [[Template:Character Info]] to [[Template:CharacterInfo]] without leaving a redirect
wikitext
text/x-wiki
<includeonly>
[[File:{{{nameEN}}}_profile.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
</includeonly>
<noinclude>
{{Character_Info
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
1accadfdbc1b7c1765c07292dfeb59645e7139f9
File:Teo profile.png
6
69
184
2022-08-26T10:35:21Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Trivial.png
6
70
187
2022-08-26T13:58:18Z
User135
5
wikitext
text/x-wiki
..
9d891e731f75deae56884d79e9816736b7488080
188
187
2022-08-26T14:29:49Z
User135
5
User135 uploaded a new version of [[File:Trivial.png]]
wikitext
text/x-wiki
..
9d891e731f75deae56884d79e9816736b7488080
File:Bluff.png
6
71
189
2022-08-26T14:35:10Z
User135
5
wikitext
text/x-wiki
Bluff
d4e9abef0af5b92680c18c6b8319a2790868ae6f
File:Labor.png
6
72
190
2022-08-26T14:36:01Z
User135
5
wikitext
text/x-wiki
Physical Labor
f83264319f953bd57f36a4473ebaca80d33201be
Trivial Features
0
73
191
2022-08-26T14:37:21Z
User135
5
Created page with " {|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;" |- |[[File:Trivial.png|150px|link=Trivial]]<br>'''[[Trivial Features/Trivial|Trivial]]''' || [[File:Bluff.png|150px|link=Bluff]]<br>'''[[Trivial Features/Bluff|Bluff]]''' |[[File:Labor.png|150px|link=Physical_Labor]]<br>'''[[Trivial Features/Physical_Labor|Physical Labor]]''' || TBA |}"
wikitext
text/x-wiki
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Trivial.png|150px|link=Trivial]]<br>'''[[Trivial Features/Trivial|Trivial]]''' ||
[[File:Bluff.png|150px|link=Bluff]]<br>'''[[Trivial Features/Bluff|Bluff]]'''
|[[File:Labor.png|150px|link=Physical_Labor]]<br>'''[[Trivial Features/Physical_Labor|Physical Labor]]''' ||
TBA
|}
2ef4c8d92d8f2f5ad678e3025be4606289fcd021
193
191
2022-08-26T15:06:58Z
User135
5
Added clock.png
wikitext
text/x-wiki
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Trivial.png|150px|link=Trivial]]<br>'''[[Trivial Features/Trivial|Trivial]]''' ||
[[File:Bluff.png|150px|link=Bluff]]<br>'''[[Trivial Features/Bluff|Bluff]]'''
|[[File:Labor.png|150px|link=Physical_Labor]]<br>'''[[Trivial Features/Physical_Labor|Physical Labor]]''' ||
[[File:Clock.png|150px|link=Clock]]<br>'''[[Trivial Features/Clock|Clock]]'''
|}
2bd048c7c646004b4bba08f5fbaa7ed7ec624844
195
193
2022-08-26T15:14:56Z
User135
5
Italicized the text
wikitext
text/x-wiki
{|class="wikitable" style="width:50%; padding:10px; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Trivial.png|150px|link=Trivial]]<br>'''[[Trivial Features/Trivial|''Trivial'']]''' ||
[[File:Bluff.png|150px|link=Bluff]]<br>'''[[Trivial Features/Bluff|''Bluff'']]'''
|[[File:Labor.png|150px|link=Physical_Labor]]<br>'''[[Trivial Features/Physical_Labor|''Physical Labor'']]''' ||
[[File:Clock.png|150px|link=Clock]]<br>'''[[Trivial Features/Clock|''Clock'']]'''
|}
5782374d5b18d1ea7b69aadeefdc16a112dad342
199
195
2022-08-26T15:18:54Z
User135
5
Font-size
wikitext
text/x-wiki
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center; font-size:12px;"
|-
|[[File:Trivial.png|150px|link=Trivial]]<br>'''[[Trivial Features/Trivial|''Trivial'']]''' ||
[[File:Bluff.png|150px|link=Bluff]]<br>'''[[Trivial Features/Bluff|''Bluff'']]'''
|[[File:Labor.png|150px|link=Physical_Labor]]<br>'''[[Trivial Features/Physical_Labor|''Physical Labor'']]''' ||
[[File:Clock.png|150px|link=Clock]]<br>'''[[Trivial Features/Clock|''Clock'']]'''
|}
9a21395ee2f55cf781dcb89e753f35c545620d40
200
199
2022-08-26T15:41:04Z
2A01:CB08:9A5:8E00:BD9E:4306:1F90:FBF1
0
wikitext
text/x-wiki
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center; font-size:12px;"
|-
|[[File:Trivial.png|150px|link=Trivial Features/Trivial]]<br>'''[[Trivial Features/Trivial|''Trivial'']]''' ||
[[File:Bluff.png|150px|link=Trivial Features/Bluff]]<br>'''[[Trivial Features/Bluff|''Bluff'']]'''
|[[File:Labor.png|150px|link=Trivial Features/Physical_Labor]]<br>'''[[Trivial Features/Physical_Labor|''Physical Labor'']]''' ||
[[File:Clock.png|150px|link=Trivial Features/Clock]]<br>'''[[Trivial Features/Clock|''Clock'']]'''
|}
8f2155d6aab5af142d0eb268f7aaab1b67af2bb0
File:Clock.png
6
74
192
2022-08-26T15:05:32Z
User135
5
wikitext
text/x-wiki
clock
83655a5560ef1c438170f28acfecbe5013e8f34f
MediaWiki:Sidebar
8
34
196
151
2022-08-26T15:15:43Z
Junikea
2
Added Trivial Features to sidebar
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energy
** Planets|Planets
** Trivial-features|Trivial_features
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
3fd6f5e3f20e9fd39a6282e533176e8ee5be6278
197
196
2022-08-26T15:16:37Z
Junikea
2
Fixed a typo
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energy
** Planets|Planets
** Trivial_features|Trivial features
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
6aff8294afea151f5f0e9f2452edab30ca00d634
198
197
2022-08-26T15:17:49Z
Junikea
2
Changed capitalization
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energy
** Planets|Planets
** Trivial_Features|Trivial Features
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
00bb22f3f0ebe714ddb9ac80dbefcf2203df778f
Planets
0
44
201
157
2022-08-26T15:59:35Z
2A01:CB08:9A5:8E00:BD9E:4306:1F90:FBF1
0
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planet/City_of_Free_Men]]<br>'''[[Planet/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planet/Root of Desire]]<br>'''[[Planet/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|150px|link=Planet/Canals of Sensitivity]]<br>'''[[Planet/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planet/Mountains of Wandering Humor]]<br>'''[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planet/Milky Way of Gratitude]]<br>'''[[Planet/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planet/Archive of Terran Info]]<br>'''[[Planet/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|150px|link=Planet/Bamboo Forest of Troubles]]<br>'''[[Planet/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planet/Archive of Sentences]]<br>'''[[Planet/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|150px|link=Planet/Vanas]]<br>'''[[Planet/Vanas|Vanas]]''' || ???'''
|-
|}
bd938a249d337c94acc92d7464c00e3e55da8053
Planets/Mountains of Wandering Humor
0
54
202
146
2022-08-26T16:00:33Z
YumaRowen
3
YumaRowen moved page [[Planet/Mountains of Wandering Humor]] to [[Planets/Mountains of Wandering Humor]]
wikitext
text/x-wiki
== Description ==
"''Do not trust the signals from the Mountains of Wandering Humor. Once you do, you would wish you have never trusted them.''"
9df0fcfc42f86d771cd387156a1e138ebb2c66d9
Planet/Mountains of Wandering Humor
0
75
203
2022-08-26T16:00:33Z
YumaRowen
3
YumaRowen moved page [[Planet/Mountains of Wandering Humor]] to [[Planets/Mountains of Wandering Humor]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Mountains of Wandering Humor]]
d4ff5d7a07ca6e661002352c4d400dc7fc1d4983
Planets/City of Free Men
0
51
204
142
2022-08-26T16:00:48Z
YumaRowen
3
YumaRowen moved page [[Planet/City of Free Men]] to [[Planets/City of Free Men]]
wikitext
text/x-wiki
== Description ==
"''In the City of Free Men, you can freely offer topics and ideas. Free men find delight in unpredictable topics that can relieve them from boredom.''"
ba79774462aacd26d15195d1154162fd436f3aad
Planet/City of Free Men
0
76
205
2022-08-26T16:00:48Z
YumaRowen
3
YumaRowen moved page [[Planet/City of Free Men]] to [[Planets/City of Free Men]]
wikitext
text/x-wiki
#REDIRECT [[Planets/City of Free Men]]
ac155de11c38ba9dad8d66ccb02d5fbd8fd9c436
Planets/Canals of Sensitivity
0
53
206
145
2022-08-26T16:01:00Z
YumaRowen
3
YumaRowen moved page [[Planet/Canals of Sensitivity]] to [[Planets/Canals of Sensitivity]]
wikitext
text/x-wiki
== Description ==
"''Canals of Sensitivity are full of powerful energy that helps our writing participants to express their sensitivities with words.''"
e86a491a813f0e4fa44ce01e787f8d546a523fd5
Planet/Canals of Sensitivity
0
77
207
2022-08-26T16:01:00Z
YumaRowen
3
YumaRowen moved page [[Planet/Canals of Sensitivity]] to [[Planets/Canals of Sensitivity]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Canals of Sensitivity]]
7cc6745c1ee67e6fae2cb0e929a93245fde3cb99
Planets/Milky Way of Gratitude
0
55
208
147
2022-08-26T16:01:15Z
YumaRowen
3
YumaRowen moved page [[Planet/Milky Way of Gratitude]] to [[Planets/Milky Way of Gratitude]]
wikitext
text/x-wiki
== Description ==
"''The signals from the Milky Way of Gratitude are essential in keeping the balance of the universe. Yes, you could say they are the galactic oxygen.''"
f2e7d046fbe27ddf4ec36653bd951e29fda7893f
Planet/Milky Way of Gratitude
0
78
209
2022-08-26T16:01:15Z
YumaRowen
3
YumaRowen moved page [[Planet/Milky Way of Gratitude]] to [[Planets/Milky Way of Gratitude]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Milky Way of Gratitude]]
7b2084ac571e33db32d814872769e8ca51083542
Planets/Archive of Terran Info
0
56
210
148
2022-08-26T16:01:23Z
YumaRowen
3
YumaRowen moved page [[Planet/Archive of Terran Info]] to [[Planets/Archive of Terran Info]]
wikitext
text/x-wiki
== Description ==
"''Try analyzing the data from the Archive of Terran Info. But make sure you have the Wall of Reason to keep you objective.''"
4a45cfa42a010d69340f5b4d4e74bbe3916ea90d
Planet/Archive of Terran Info
0
79
211
2022-08-26T16:01:23Z
YumaRowen
3
YumaRowen moved page [[Planet/Archive of Terran Info]] to [[Planets/Archive of Terran Info]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Archive of Terran Info]]
de51c74944d682fde0b0ada9adf7d780faa7819f
Planets/Bamboo Forest of Troubles
0
57
212
149
2022-08-26T16:01:33Z
YumaRowen
3
YumaRowen moved page [[Planet/Bamboo Forest of Troubles]] to [[Planets/Bamboo Forest of Troubles]]
wikitext
text/x-wiki
== Description ==
"''If you have troubles, visit the Bamboo Forest of Troubles to scream them out. People will not be able to tell voices in this forest.''"
1baaac11c6ac5ddd32f02e61ccef7f649c0329c9
Planet/Bamboo Forest of Troubles
0
80
213
2022-08-26T16:01:33Z
YumaRowen
3
YumaRowen moved page [[Planet/Bamboo Forest of Troubles]] to [[Planets/Bamboo Forest of Troubles]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Bamboo Forest of Troubles]]
7ecfb1269b8f58da9219225e120977dcfc2ff497
Planets/Archive of Sentences
0
58
214
150
2022-08-26T16:01:38Z
YumaRowen
3
YumaRowen moved page [[Planet/Archive of Sentences]] to [[Planets/Archive of Sentences]]
wikitext
text/x-wiki
== Description ==
"''Languages of harmony that calls forth universal human agreement is collecting... A variety of energy will rise simply by reading trending terms, golden quotes, and impressive sentences.''"
22dd772fc0478ef880c7409a8534f7c4e90ce5b1
215
2022-08-26T16:01:38Z
YumaRowen
3
YumaRowen moved page [[Planet/Archive of Sentences]] to [[Planets/Archive of Sentences]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Archive of Sentences]]
5de14eb88879118d991e838583b9b119e99907a6
216
215
2022-08-26T16:01:47Z
YumaRowen
3
YumaRowen moved page [[Planet/Archive of Sentences]] to [[Planets/Archive of Sentences]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Archive of Sentences]]
5de14eb88879118d991e838583b9b119e99907a6
242
216
2022-08-26T19:44:57Z
Junikea
2
Let's ignore that happened
wikitext
text/x-wiki
== Description ==
"''Languages of harmony that calls forth universal human agreement is collecting... A variety of energy will rise simply by reading trending terms, golden quotes, and impressive sentences.''"
22dd772fc0478ef880c7409a8534f7c4e90ce5b1
Planet/Archive of Sentences
0
82
217
2022-08-26T16:01:47Z
YumaRowen
3
YumaRowen moved page [[Planet/Archive of Sentences]] to [[Planets/Archive of Sentences]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Archive of Sentences]]
5de14eb88879118d991e838583b9b119e99907a6
Planets
0
44
218
201
2022-08-26T16:04:10Z
YumaRowen
3
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planets/City_of_Free_Men]]<br>'''[[Planets/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planets/Root of Desire]]<br>'''[[Planets/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|150px|link=Planets/Canals of Sensitivity]]<br>'''[[Planets/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planets/Mountains of Wandering Humor]]<br>'''[[Planets/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planets/Milky Way of Gratitude]]<br>'''[[Planets/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planets/Archive of Terran Info]]<br>'''[[Planets/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|150px|link=Planets/Bamboo Forest of Troubles]]<br>'''[[Planets/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planets/Archive of Sentences]]<br>'''[[Planets/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|150px|link=Planets/Vanas]]<br>'''[[Planets/Vanas|Vanas]]''' || ???'''
|-
|}
f68c0301edfbf0f4ca874c60fa75ca3e85efc39e
Planets/Root of Desire
0
52
219
144
2022-08-26T16:04:35Z
YumaRowen
3
YumaRowen moved page [[Planet/Root of Desire]] to [[Planets/Root of Desire]]
wikitext
text/x-wiki
== Description ==
"''The Root of Desire constantly sends out galactic signals for satisfying desires, and signals from this planet are permanent. They include desires such as... Salads... Beer... Winning the lottery...''"
f4d20f0addb563d5fe94c7e5e1b7c925fd5b7ec2
Planet/Root of Desire
0
83
220
2022-08-26T16:04:35Z
YumaRowen
3
YumaRowen moved page [[Planet/Root of Desire]] to [[Planets/Root of Desire]]
wikitext
text/x-wiki
#REDIRECT [[Planets/Root of Desire]]
96f031cc71e28e6fb4a4169aaac563c98d07a671
Template:EnergyColor
10
84
221
2022-08-26T16:14:49Z
YumaRowen
3
Created page with "<includeonly> {{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|#AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}} </includeonly> <noinclude> ==How to use this Template== <pre> {{EnergyColor|energyNameHere}} </pre> ==Note== This is to be used t..."
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|#AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.
</noinclude>
39335858e79c54e1ffb786985c3bdf6682e41260
222
221
2022-08-26T16:18:17Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|#AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
</noinclude>
8d59757d58387be1550515dd7d87d63692f81bce
223
222
2022-08-26T16:18:30Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|#AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
</noinclude>
[[Category:Templates]]
234d7f00c309da4b3b84d42aec60f6dc3a034c0d
225
223
2022-08-26T16:24:48Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|#AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>Current output:The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
[[Category:Templates]]
</noinclude>
d0a5acf64d4809619dbb3542ad742f4697c0614e
227
225
2022-08-26T16:37:11Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|<nowiki>#AC4ED8</nowiki>|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>Current output:The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
[[Category:Templates]]
</noinclude>
ab89d1cc1a811167aa67515b794dc02303365b7a
228
227
2022-08-26T16:37:45Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|#AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>Current output:The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
[[Category:Templates]]
</noinclude>
d0a5acf64d4809619dbb3542ad742f4697c0614e
230
228
2022-08-26T16:41:28Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>Current output:The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
[[Category:Templates]]
</noinclude>
0237659b1a95c8b61f12763f7f9202cc95fd18d6
233
230
2022-08-26T17:18:07Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|#E65D64|{{#ifeq: {{{1}}}|Innocent|#F1A977|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#66AA57|{{#ifeq: {{{1}}}|Jolly|#F6CC54|{{#ifeq: {{{1}}}|Peaceful|#67A6C7|{{#ifeq: {{{1}}}|Philosophical|#5364B6|{{#ifeq: {{{1}}}|Galactic|#AC4ED8|{{#ifeq: {{{1}}}|Rainbow|#61C2DF|#ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>Current output:The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
[[Category:Templates]]
</noinclude>
d0a5acf64d4809619dbb3542ad742f4697c0614e
234
233
2022-08-26T17:34:50Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{{#ifeq: {{{1}}}|Passionate|<nowiki>#</nowiki>E65D64|{{#ifeq: {{{1}}}|Innocent|<nowiki>#</nowiki>F1A977|{{#ifeq: {{{1}}}|Jolly|<nowiki>#</nowiki>F6CC54|{{#ifeq: {{{1}}}|Peaceful|<nowiki>#</nowiki>66AA57|{{#ifeq: {{{1}}}|Peaceful|<nowiki>#</nowiki>F6CC54|{{#ifeq: {{{1}}}|Logical|<nowiki>#</nowiki>67A6C7|{{#ifeq: {{{1}}}|Philosophical|<nowiki>#</nowiki>5364B6|{{#ifeq: {{{1}}}|Galactic|<nowiki>#</nowiki>AC4ED8|{{#ifeq: {{{1}}}|Rainbow|<nowiki>#</nowiki>61C2DF|<nowiki>#</nowiki>ffffff}}}}}}}}}}}}}}}}}}
</includeonly>
<noinclude>
==How to use this Template==
<pre>
{{EnergyColor|energyNameHere}}
</pre>
==Note==
This is to be used to color text easily; like this:
<pre>
The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.
</pre>
Expected output: The <span style="color:#F6CC54">Jolly</span> Energy can be used in the Incubator.<br>Current output:The <span style="color:{{EnergyColor|Jolly}}">Jolly</span> Energy can be used in the Incubator.<br>If you want to use it in a template, write it like this:
<pre>
{{EnergyColor|{{{energyName}}}}}
</pre>
[[Category:Templates]]
</noinclude>
e9625ecf3fa45aaa46a3fb461605a2fd7245fd7e
Template:DailyEnergyInfo
10
18
224
180
2022-08-26T16:18:48Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;float:right"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{EnergyColor|{{{energyName}}}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"z|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{EnergyColor|{{{energyName}}}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Rainbow
|date=8-23, 2022
|description=It would not be so bad to sometimes enjoy the universe instead of talking to Teo.
|cusMessage=I don't remember what he said on that day, actually. So I'll just say this.
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|cusMessage=
}}
</pre>
</noinclude>
e9f9fd914a21808d95a154fa304de7e2f6f9991c
226
224
2022-08-26T16:34:33Z
YumaRowen
3
edit to test it with the energyColor!
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;float:right"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{EnergyColor|{{{energyName}}}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"z|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{EnergyColor|{{{energyName}}}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Passionate
|date=2-07, 2014
|description=That day feels very passionate.
|cusMessage=Some Dramatic Stars might've been born...?
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|cusMessage=
}}
</pre>
</noinclude>
88005c7d1d2fc19e586264d08d7c17eb0d2572b8
240
226
2022-08-26T19:24:23Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;margin-left:auto;margin-right:auto"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{EnergyColor|{{{energyName}}}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"z|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{EnergyColor|{{{energyName}}}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Passionate
|date=2-07, 2014
|description=That day feels very passionate.
|cusMessage=Some Dramatic Stars might've been born...?
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|cusMessage=
}}
</pre>
</noinclude>
b71732475d566055012ea0977b20e6d8d7c0bbd3
Template:EnergyInfo
10
16
229
174
2022-08-26T16:39:31Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#ECECEC; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;font-size:24px;font-family:Arial Black";bgcolor="{{EnergyColor|{{{energyName}}}}}"; | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center;font-size:13px;font-family:Arial" bgcolor="#969696" | Description
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
| Energy Color: {{EnergyColor|{{{energyName}}}}}
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
165c8720a9e2ab974f2995f51614049b6ef3194c
231
229
2022-08-26T16:42:43Z
YumaRowen
3
Reverted edits by [[Special:Contributions/YumaRowen|YumaRowen]] ([[User talk:YumaRowen|talk]]) to last revision by [[User:Junikea|Junikea]]
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;" cellpadding="3" align="right"
! style="text-align:center;" bgcolor="{{{energyColor}}}" | {{{energyName}}}
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center;" bgcolor="{{{energyColor}}}" | '''Description'''
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.
|energyColor=#9861AD}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
|energyColor=
}}
</pre>
[[Category:Templates]]
</noinclude>
c6ad3c321adf019690835c0bfc6b06789cf3bc31
236
231
2022-08-26T19:05:34Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial; cellpadding="3" align="right"
! style="text-align:center; font-size:140%"| <div style="background: {{EnergyColor|1={{{energyName}}}}};">{{{energyName}}}</div>
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center; font-size:100%;padding="3"; | <div style="background: {{EnergyColor|1={{{energyName}}}}};">'''Description'''</div>
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.}}
==Notes==
Energy Color is a hex code.
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
}}
</pre>
[[Category:Templates]]
</noinclude>
47f8d9048c3246e0e9ca9e27bc4fbac1c535f9cd
237
236
2022-08-26T19:06:45Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial; cellpadding="3" align="right"
! style="text-align:center; font-size:140%"| <div style="background: {{EnergyColor|1={{{energyName}}}}};">{{{energyName}}}</div>
|-
| style="text-align:center; | [[File:{{{energyName}}}_Energy.png|250px]]
|-
! style="text-align:center; font-size:100%;padding="3"; | <div style="background: {{EnergyColor|1={{{energyName}}}}};">'''Description'''</div>
|-
| style="text-align:center;" | ''"{{{description}}}"''
|-
|}
</includeonly>
<noinclude>
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from the furthest edge of the aurora in the universe. It is said it is born with sparkles like a shooting star once you reach a huge enlightenment regarding life, and it is yet unfathomable with human understanding.}}
==Notes==
Energy Color gets pulled from [[Template:EnergyColor]]
==How to use this template==
<pre>
{{EnergyInfo
|energyName=
|description=
}}
</pre>
[[Category:Templates]]
</noinclude>
b4cb87bca5a6eeac7a9ac686560b40d08baa38f4
Planets/Vanas
0
86
235
2022-08-26T17:48:03Z
Junikea
2
Created page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:MainPageEnergyInfo
10
32
238
173
2022-08-26T19:07:16Z
YumaRowen
3
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
825da44a3425a7d26ab9cf7fca43a7c77c4723ee
253
238
2022-08-27T16:08:52Z
Junikea
2
Updated daily energy info for 8-27
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Peaceful
|date=8-27, 2022
|description=Why not free your mind from complications for the day and enjoy peace?
|cusMessage=Today is full of peaceful energy. We look forward to results full of inner beauty.}}
d73e56dd5a7908d3b763b2a696263630328734a7
255
253
2022-08-28T10:00:05Z
YumaRowen
3
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Rainbow
|date=8-28, 2022
|description=Today you can get all kinds of energy available.
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.}}
d60e63ed4f15f24300783d2f6e0f37fcf0e24214
Template:CharacterInfo
10
2
239
185
2022-08-26T19:15:05Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
[[File:{{{nameEN}}}_profile.png|thumb|left|600px|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
<br>
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
3efee3f3a6865f1f06e9f183999e7bea5d6f681e
Energy/Philosophical Energy
0
12
241
109
2022-08-26T19:30:43Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
=== Daily Logs ===
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...
}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
|-
|}
[[Category:Energy]]
0221164bcd09f2eaf9648d85f4ad774f57d0e701
244
241
2022-08-26T19:49:38Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
== Daily Logs ==
{| class="mw-collapsible mw-collapsed wikitable" style="width:95%;margin-left: auto; margin-right: auto;"
!Daily Logs
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...
}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
|-
|}
[[Category:Energy]]
a9becc54bd22a1f2ea459a21c4462d591ea5cf6a
Trivial Features/Trivial
0
88
243
2022-08-26T19:47:12Z
YumaRowen
3
Created page with "{|class="wikitable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); text-align:left; font-size:14px;" ! Icon !! Feature Name !! Condition !! Description !! Piu-Piu's message !! Reward !! Notes |- | style="text-align:center" | [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be y..."
wikitext
text/x-wiki
{|class="wikitable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); text-align:left; font-size:14px;"
! Icon !! Feature Name !! Condition !! Description !! Piu-Piu's message !! Reward !! Notes
|-
| style="text-align:center" | [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
|}
c95703e9f65e751fb53073c413c17b213106481c
251
243
2022-08-27T12:38:43Z
88.240.147.34
0
Added sortable and data sort type to make navigation easy for users, moved text align center to top to make it affect all entries, added another feature to check if it works
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || TBA || (Profile → Change name → 'Ray')
|}
16914080e6084409518a789bdbb211919e948de9
252
251
2022-08-27T12:48:31Z
User135
5
I'm leaving a note just for clarity's sake, last edit was done by dummy me who forgot to login TT
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || TBA || (Profile -> Change name -> 'Ray')
|}
1494a2a9628b226188afcdd185430dd42164adfd
Planet/Vanas
0
59
245
132
2022-08-26T19:49:40Z
Junikea
2
Added a redirect
wikitext
text/x-wiki
#REDIRECT [[Planets/Vanas]]
6b857d13d6865a09862f5565e035c9c0720027ab
MediaWiki:Sidebar
8
34
246
198
2022-08-26T20:11:17Z
Junikea
2
Added Space Creatures to sidebar
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energy
** Planets|Planets
**Space_Creatures|Space Creatures
** Trivial_Features|Trivial Features
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
4d9841a748392b99519034d873939673c6880f6a
Space Creatures
0
29
247
58
2022-08-26T20:15:38Z
Junikea
2
Added Space Travelers header + descriptions for SH and ST
wikitext
text/x-wiki
== Space Herbivores ==
Space Herbivores are lovely like dolls. They will return as much love as you give!
*[[Moon Bunny]]
*[[Space Sheep]]
*[[Fuzzy Deer]]
== ??? ==
TBA
== Space Traveler ==
Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.
*Aerial Whale
*TBA
*TBA
6866d1289b497dd9a023a421c542c5c1de8b4004
248
247
2022-08-26T20:16:02Z
Junikea
2
Fixed a typo
wikitext
text/x-wiki
== Space Herbivore ==
Space Herbivores are lovely like dolls. They will return as much love as you give!
*[[Moon Bunny]]
*[[Space Sheep]]
*[[Fuzzy Deer]]
== ??? ==
TBA
== Space Traveler ==
Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.
*Aerial Whale
*TBA
*TBA
284bce2cc2e6903198daa05af721b06e1c77ad5d
249
248
2022-08-26T20:18:03Z
Junikea
2
Added a hyperlink
wikitext
text/x-wiki
== Space Herbivore ==
Space Herbivores are lovely like dolls. They will return as much love as you give!
*[[Moon Bunny]]
*[[Space Sheep]]
*[[Fuzzy Deer]]
== ??? ==
TBA
== Space Traveler ==
Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.
*[[Aerial Whale]]
*TBA
*TBA
9e5921eb4727f506d7101e1999ce2c7b74f7f526
250
249
2022-08-26T20:34:43Z
Junikea
2
Added Type Vanas
wikitext
text/x-wiki
== Space Herbivore ==
Space Herbivores are lovely like dolls. They will return as much love as you give!
*[[Moon Bunny]]
*[[Space Sheep]]
*[[Fuzzy Deer]]
== ??? ==
TBA
== Space Traveler ==
Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.
*[[Aerial Whale]]
*TBA
*TBA
== ??? ==
TBA
== Type Vanas ==
You can find most of these Creatures on Planet Vanas.
*[[Vanatic Grey Hornet]]
*
3ac2b55c6018d48408578faa8bcdb7acee470583
258
250
2022-08-29T08:32:25Z
User135
5
Added extraterrestrials and Gray
wikitext
text/x-wiki
== Space Herbivore ==
Space Herbivores are lovely like dolls. They will return as much love as you give!
*[[Moon Bunny]]
*[[Space Sheep]]
*[[Fuzzy Deer]]
== ??? ==
TBA
== Space Traveler ==
Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.
*[[Aerial Whale]]
*TBA
*TBA
== ??? ==
TBA
== Extraterrestrial ==
Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?
*[[Gray]]
*TBA
*TBA
*TBA
*TBA
== Type Vanas ==
You can find most of these Creatures on Planet Vanas.
*[[Vanatic Grey Hornet]]
*
a60cb4ebb75c12e2d2ccb09293f59d42f1f31736
259
258
2022-08-29T12:57:17Z
User135
5
/* Type Vanas */ Added Banana Cart
wikitext
text/x-wiki
== Space Herbivore ==
Space Herbivores are lovely like dolls. They will return as much love as you give!
*[[Moon Bunny]]
*[[Space Sheep]]
*[[Fuzzy Deer]]
== ??? ==
TBA
== Space Traveler ==
Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.
*[[Aerial Whale]]
*TBA
*TBA
== ??? ==
TBA
== Extraterrestrial ==
Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?
*[[Gray]]
*TBA
*TBA
*TBA
*TBA
== Type Vanas ==
You can find most of these Creatures on Planet Vanas.
*[[Banana Cart]]
*[[Vanatic Grey Hornet]]
79da9f957a4f51db62e807af72e39b0a0669e1fa
Energy/Peaceful Energy
0
10
254
105
2022-08-27T16:10:05Z
Junikea
2
Added daily energy info for 8-27
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Peaceful
|description=This energy <span style="color:#66AA57">is serene, peaceful</span>, apparently born from <span style="color:#66AA57">heartwarimng considerations</span> and <span style="color:#66AA57">kindness</span>. Once <span style="color:#66AA57">gratitude</span> from every single human in the world comes together, a Milky Way is born above.
|energyColor=#66AA57}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| {{DailyEnergyInfo
|energyName=Peaceful
|date=8-27, 2022
|description=Why not free your mind from complications for the day and enjoy peace?
|cusMessage=Today is full of peaceful energy. We look forward to results full of inner beauty.}}
|}
[[Category:Energy]]
f504105a7df6fc909bea3a07868068df863aea4a
Energy/Rainbow Energy
0
36
256
113
2022-08-28T10:02:50Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Rainbow
|description=N/A
|energyColor=#E8F9FE
}}
The Rainbow Energy is not an item. It can only appear as the Energy of the Day, called "Rainbow Day", that occurs every Sunday.
For Rainbow Day, the description and Dr. Cus-Monsieur's messages don't change.
<center> {{DailyEnergyInfo
|energyName=Rainbow
|date=8-21, 2022
|description=Today you can get all kinds of energy available.
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.
}} </center>
[[Category:Energy]]
56d5717f26ff91ead304e164a9c659f325388188
257
256
2022-08-28T10:18:05Z
YumaRowen
3
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Rainbow
|description=N/A
|energyColor=#E8F9FE
}}
The Rainbow Energy is not an item. It can only appear as the Energy of the Day, called "Rainbow Day", that occurs every Sunday.
For Rainbow Day, the description and Dr. Cus-Monsieur's messages don't change.
<center> {{DailyEnergyInfo
|energyName=Rainbow
|date=Sundays
|description=Today you can get all kinds of energy available.
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.
}} </center>
[[Category:Energy]]
45bb64690d0df20f60d82fea9166ab1394347d9c
Moon Bunny
0
22
260
44
2022-08-29T14:21:37Z
User135
5
Added information tables for Moon Bunny
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:moonbunny.png]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| 1 || Moon Bunny || Energy || Easygoing || Low
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#8c959b;" | '''Description''' || The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|-
| style="color:#B34F5A;" | '''Compatibility''' || TBA
|}
f840f7d5de4ea79744560d50064717bec8987cbc
262
260
2022-08-29T14:30:30Z
User135
5
Added the image
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:moonbunny.jpg|center]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| 1 || Moon Bunny || Energy || Easygoing || Low
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#8c959b;" | '''Description''' || The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|-
| style="color:#B34F5A;" | '''Compatibility''' || TBA
|}
589b932a56ae7013daf844212d09406ee5fa6d39
263
262
2022-08-29T14:49:05Z
User135
5
Color change, quotes section
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:moonbunny.jpg|center]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| 1 || Moon Bunny || Energy || Easygoing || Low
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#7C6F7E;" | '''Description''' || The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|-
| style="color:#BC644D;" | '''Quotes''' || TBA
|-
| style="color:#B34F5A;" | '''Compatibility''' || TBA
|}
3c3552fbc3721e46f5f477b4fec1d6442ac02d6e
Template:MainPageEnergyInfo
10
32
264
255
2022-08-29T17:48:49Z
Junikea
2
Updated daily energy info for 8-29
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Philosophical
|date=8-29, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
1487072928d83d3d2b6ef6ab8a51ef53991de988
271
264
2022-08-30T10:43:40Z
Junikea
2
Updated daily energy info for 8-30
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Logical
|date=8-30, 2022
|description=The more logical you get, the better you will be in making arguments. So make use of this day to let your arguments unfold.
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.}}
b548e93183728e9df249bb4665b92b55cd9c5b71
Energy/Philosophical Energy
0
12
265
244
2022-08-29T17:50:59Z
Junikea
2
Added daily energy info for 8-29
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
== Daily Logs ==
{| class="mw-collapsible mw-collapsed wikitable" style="width:95%;margin-left: auto; margin-right: auto;"
!Daily Logs
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...
}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
|-
{{DailyEnergyInfo
|energyName=Philosophical
|date=8-29, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
|-
|}
[[Category:Energy]]
5090e15b713d08e31e8c039b5727aa36f9e3e5e4
266
265
2022-08-29T17:55:51Z
Junikea
2
Fixed formating
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
== Daily Logs ==
{| class="mw-collapsible mw-collapsed wikitable" style="width:95%;margin-left: auto; margin-right: auto;"
!Daily Logs
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-29, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
|-
|}
[[Category:Energy]]
946b0c67879ce004b7cd53144c9e2fff5aad9b20
Template:SpaceCreatures
10
90
267
2022-08-29T20:31:29Z
User135
5
Tried to create a template for SpaceCreatures, still don't know if it's working or not... To Be Edited...
wikitext
text/x-wiki
<includeonly>
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:{{{imagename}}}|center]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| {{{No}}} || {{{Name}}} || {{{PurchaseMethod}}} || {{{Personality}}} || {{{Tips}}}
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#7C6F7E;" | '''Description''' || {{{Description}}}
|-
| style="color:#BC644D;" | '''Quotes''' || {{{Quotes}}}
|-
| style="color:#B34F5A;" | '''Compatibility''' || {{{Compatibility}}}
|}
</includeonly>
<noinclude>
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:moonbunny.jpg|center]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| 1 || Moon Bunny || Energy || Easygoing || Low
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#7C6F7E;" | '''Description''' || The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|-
| style="color:#BC644D;" | '''Quotes''' || TBA
|-
| style="color:#B34F5A;" | '''Compatibility''' || TBA
|}
== Usage ==
<pre> {{SpaceCreatures
|imagename=
|No=
|Name=
|PurchaseMethod=
|Personality=
|Tips=
|Description=
|Quotes=
|Compatibility=
}}
</pre>
</noinclude>
3050f380422d9c8b380a20f74a7281eb935a02b3
270
267
2022-08-29T20:44:26Z
User135
5
deleted blank lines
wikitext
text/x-wiki
<includeonly>
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:{{{imagename}}}|center]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| {{{No}}} || {{{Name}}} || {{{PurchaseMethod}}} || {{{Personality}}} || {{{Tips}}}
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#7C6F7E;" | '''Description''' || {{{Description}}}
|-
| style="color:#BC644D;" | '''Quotes''' || {{{Quotes}}}
|-
| style="color:#B34F5A;" | '''Compatibility''' || {{{Compatibility}}}
|}
</includeonly>
<noinclude>
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:moonbunny.jpg|center]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| 1 || Moon Bunny || Energy || Easygoing || Low
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#7C6F7E;" | '''Description''' || The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|-
| style="color:#BC644D;" | '''Quotes''' || TBA
|-
| style="color:#B34F5A;" | '''Compatibility''' || TBA
|}
== Usage ==
<pre> {{SpaceCreatures
|imagename=
|No=
|Name=
|PurchaseMethod=
|Personality=
|Tips=
|Description=
|Quotes=
|Compatibility=
}}
</pre>
</noinclude>
a4d496b2f480e9bdc1f7fd3f4f85c359047df3f8
277
270
2022-08-30T13:40:18Z
YumaRowen
3
Changed the Template to show the output of the template instead of a hard-coded table. Changed the file to now get the Name of the creature instead of having a new parameter.
wikitext
text/x-wiki
<includeonly>
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|+ [[File:{{{Name}}}_creature.png|150px|center]]
|-
! No. !! Name !! Purchase Method !! Personality !! Chances of Tips
|-
| {{{No}}} || {{{Name}}} || {{{PurchaseMethod}}} || {{{Personality}}} || {{{Tips}}}
|}
{| class="wikitable" style="margin-left:auto; margin-right:auto; text-align:center; width:75%;"
|-
|style="color:#7C6F7E;" | '''Description''' || {{{Description}}}
|-
| style="color:#BC644D;" | '''Quotes''' || {{{Quotes}}}
|-
| style="color:#B34F5A;" | '''Compatibility''' || {{{Compatibility}}}
|}
</includeonly>
<noinclude>
{{SpaceCreatures
|No=1
|Name=Moon Bunny
|PurchaseMethod=Energy
|Personality=Easygoing
|Tips=Low
|Description=The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|Quotes=TBA
|Compatibility=TBA
}}
== Usage ==
<pre> {{SpaceCreatures
|No=
|Name=
|PurchaseMethod=
|Personality=
|Tips=
|Description=
|Quotes=
|Compatibility=
}}
</pre>
</noinclude>
a8900903fb52648ca0c0087f556d7712ad23d10d
Space Sheep
0
23
269
46
2022-08-29T20:42:21Z
User135
5
Added information for Space Sheep
wikitext
text/x-wiki
{{SpaceCreatures
|imagename=spacesheep.jpg
|No=2
|Name=Space Sheep
|PurchaseMethod=Energy&Emotion
|Personality=Very rash
|Tips=Low
|Description= The wools floating in the space get infinite energy from the Space Sheep's hooves. They say the Space Sheep's infinite energy comes from their heart full of love.
|Quotes=TBA
|Compatibility=TBA
}}
f4e08ecc6473b864e63a19bb6f2b6205d103fac1
273
269
2022-08-30T12:06:05Z
User135
5
Added spaces before and after &
wikitext
text/x-wiki
{{SpaceCreatures
|imagename=spacesheep.jpg
|No=2
|Name=Space Sheep
|PurchaseMethod=Energy & Emotion
|Personality=Very rash
|Tips=Low
|Description= The wools floating in the space get infinite energy from the Space Sheep's hooves. They say the Space Sheep's infinite energy comes from their heart full of love.
|Quotes=TBA
|Compatibility=TBA
}}
a9c317b9a7760c6782e51e4d0d560d076aa39c94
279
273
2022-08-30T13:43:28Z
YumaRowen
3
wikitext
text/x-wiki
{{SpaceCreatures
|No=2
|Name=Space Sheep
|PurchaseMethod=Energy & Emotion
|Personality=Very rash
|Tips=Low
|Description= The wools floating in the space get infinite energy from the Space Sheep's hooves. They say the Space Sheep's infinite energy comes from their heart full of love.
|Quotes=TBA
|Compatibility=TBA
}}
56a2ba4a9dc8e0b2068446bc66a6095a70bc606b
Energy/Logical Energy
0
11
272
156
2022-08-30T10:45:04Z
Junikea
2
Added daily energy info for 8-30
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-30, 2022
|description=The more logical you get, the better you will be in making arguments. So make use of this day to let your arguments unfold.
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.}}
|} </center>
[[Category:Energy]]
86064560315577b87fd7e26f50c5a354ef68fca8
Gray
0
93
275
2022-08-30T12:16:30Z
User135
5
Added information for Gray
wikitext
text/x-wiki
{{SpaceCreatures
|imagename=gray.jpg
|No=19
|Name=Gray
|PurchaseMethod=Emotion
|Personality=Very easygoing
|Tips=Very high
|Description=Oh! Grays the aliens. It would be better not to tell the USA about them.
|Quotes=TBA
|Compatibility=TBA
}}
263334ac10a5f58f0f3cd9815528b483a711265a
281
275
2022-08-30T13:44:38Z
YumaRowen
3
wikitext
text/x-wiki
{{SpaceCreatures
|No=19
|Name=Gray
|PurchaseMethod=Emotion
|Personality=Very easygoing
|Tips=Very high
|Description=Oh! Grays the aliens. It would be better not to tell the USA about them.
|Quotes=TBA
|Compatibility=TBA
}}
a2b8c3bbf3d9c0520cafd9d7ad618f51864c05d4
File:Moon Bunny creature.png
6
94
276
2022-08-30T13:39:10Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Moon Bunny
0
22
278
263
2022-08-30T13:40:54Z
YumaRowen
3
Changed the page to use the SpaceCreatures Template.
wikitext
text/x-wiki
{{SpaceCreatures
|No=1
|Name=Moon Bunny
|PurchaseMethod=Energy
|Personality=Easygoing
|Tips=Low
|Description=The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|Quotes=TBA
|Compatibility=TBA
}}
61a9464e06a8bd89f857bf7c13005753622e4866
File:Space Sheep creature.png
6
95
280
2022-08-30T13:43:38Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gray creature.png
6
96
282
2022-08-30T13:45:16Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Main Page
0
1
283
171
2022-08-30T13:48:18Z
YumaRowen
3
Changing this section so other users can join.
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
c00c65ceb8989ad9781d64902ee9a9c5c620146b
284
283
2022-08-30T13:50:24Z
YumaRowen
3
Protected "[[Main Page]]": High traffic page: We should avoid having the main page be editable by everyone. Things that need regular changes on the main page are available as Templates. ([Edit=Allow only administrators] (indefinite) [Move=Allow only administrators] (indefinite))
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
c00c65ceb8989ad9781d64902ee9a9c5c620146b
295
284
2022-08-31T06:08:35Z
YumaRowen
3
/* Welcome to {{SITENAME}}! */
wikitext
text/x-wiki
__NOTOC__
== Welcome to The Ssum's Forbidden Lab Miraheze Wiki! ==
The Ssum: Forbidden Lab is an otome game made by Cheritz, released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
2e63ecb8c98d6797059b5bbccdc10a58be343fa1
304
295
2022-08-31T06:22:28Z
YumaRowen
3
/* Welcome to The Ssum's Forbidden Lab Miraheze Wiki! */
wikitext
text/x-wiki
__NOTOC__
== Welcome to The Ssum's Forbidden Lab Miraheze Wiki! ==
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
41b87d8e66105d1f4617c6897a0f5717375de0a5
305
304
2022-08-31T06:27:28Z
YumaRowen
3
/* Welcome to The Ssum's Forbidden Lab Miraheze Wiki! */
wikitext
text/x-wiki
__NOTOC__
== Welcome to The Ssum Forbidden Lab's Unofficial Miraheze Wiki! ==
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS].
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
51fdeb204b97b686a6a38184bc8acc8a19298139
Trivial Features/Trivial
0
88
285
252
2022-08-30T13:51:56Z
YumaRowen
3
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|}
0df6bfac188730b3d22952e2b4f281ace399f7ea
Teo
0
3
286
194
2022-08-30T13:53:16Z
YumaRowen
3
Adding a "Gallery" section.
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's skeletal muscle mass is 40.1 and his body fat rate is 10.2.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
== Gallery ==
1876a52eaa89ff6c1e4209b91d054877f74584ea
File:Banana Cart creature.png
6
97
287
2022-08-30T16:19:32Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
288
287
2022-08-30T16:34:10Z
User135
5
User135 moved page [[File:Banana Cart.png]] to [[File:Banana Cart creature.png]]
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Banana Cart.png
6
98
289
2022-08-30T16:34:11Z
User135
5
User135 moved page [[File:Banana Cart.png]] to [[File:Banana Cart creature.png]]
wikitext
text/x-wiki
#REDIRECT [[File:Banana Cart creature.png]]
e5485e976f9fb9c52e50c885a00fd521c1ac76b6
Banana Cart
0
99
290
2022-08-30T16:35:46Z
User135
5
Added information for Banana Cart
wikitext
text/x-wiki
{{SpaceCreatures
|No=25
|Name=Banana Cart
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Intermediate
|Description=Just like how Terrans would disarm their hearts ass they embrace the truth, planet Vanas would shed itself as more truth collects. But shedded collections of emotions tend to return to the planet to cover its true flesh. And they evolved into cute banana carts that boast high speed!
|Quotes=TBA
|Compatibility=TBA
}}
26ea9a1c7fb3b11aae64f85f3c97c7707ca00275
293
290
2022-08-30T21:55:40Z
User135
5
Corrected a typo
wikitext
text/x-wiki
{{SpaceCreatures
|No=25
|Name=Banana Cart
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Intermediate
|Description=Just like how Terrans would disarm their hearts as they embrace the truth, planet Vanas would shed itself as more truth collects. But shedded collections of emotions tend to return to the planet to cover its true flesh. And they evolved into cute banana carts that boast high speed!
|Quotes=TBA
|Compatibility=TBA
}}
62abe9e1b237e5d9a6152963abe5b776a00c423d
File:Vanatic Grey Hornet creature.png
6
100
291
2022-08-30T16:46:54Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
Vanatic Grey Hornet
0
101
292
2022-08-30T16:47:35Z
User135
5
Created the page of Vanatic Grey Hornet
wikitext
text/x-wiki
{{SpaceCreatures
|No=26
|Name=Vanatic Grey Hornet
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Very low
|Description=Did you know that the inner flesh of planet Vanas tastes like vanilla ice cream? (I understand even if you are not interested...) Vanatic Grey Hornets, exclusively native to planet Vanas, will rash at their mother planet with knives in their hands in order to grab a bite out of its sweet flesh, which comes with beige-colored pigments.
|Quotes=TBA
|Compatibility=TBA
}}
3de072a79cbe7f9a09859211efac7af5a56d4da0
Aerial Whale
0
102
294
2022-08-30T21:58:47Z
Junikea
2
Created page + added info
wikitext
text/x-wiki
{{SpaceCreatures
|No=9
|Name=Aerial Whale
|PurchaseMethod=Energy
|Personality=Rash
|Tips=Low
|Description=The Aerial Whales do not get affected by gravity and move by the energy of the magnetic field. They are like a legend because it is hard to meet them. If you get close to them, you can ride them to travel space instead of using a spaceship. Some say becoming friends with them feels really special.
|Quotes=TBA
|Compatibility=TBA
}}
f379b4d7181438113117a1bf6a8bc5322bd446d7
Jay
0
67
296
175
2022-08-31T06:11:30Z
YumaRowen
3
Changed the page to use the Character Template.
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Jay
|nameKR=TBA
|age=?
|birthday=?
|zodiac=?
|height=?
|weight=?
|occupation=?
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
0563189e5f90eb2fd188abf274079f62843e6c71
Harry Choi
0
4
297
181
2022-08-31T06:12:32Z
YumaRowen
3
Changed the page to use the Character Template.
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=?
|birthday=?
|zodiac=?
|height=?
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
Doesn't talk much.
== Background ==
TBA
39401f14a703cdb21565f4fd5221253884b969f7
File:Harry Choi profile.png
6
62
298
136
2022-08-31T06:12:45Z
YumaRowen
3
YumaRowen moved page [[File:Harry Choi.png]] to [[File:Harry Choi profile.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Harry Choi.png
6
103
299
2022-08-31T06:12:45Z
YumaRowen
3
YumaRowen moved page [[File:Harry Choi.png]] to [[File:Harry Choi profile.png]]
wikitext
text/x-wiki
#REDIRECT [[File:Harry Choi profile.png]]
17c413b7b826b7f5928061eed0aa4da4fa2638e7
Template:CharacterInfo
10
2
300
239
2022-08-31T06:13:23Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
[[File:{{{nameEN}}}_profile.png|thumb|left|400px]]
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
<br>
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
2c206eb10df241662040196bd94ddfaa9b6ad9f1
Teo's mother
0
65
301
140
2022-08-31T06:16:04Z
YumaRowen
3
I added this trivia fact but I'm at work and can't remember the full bluebird report... ill post it on the thread once I have time. (I could do it rn I have my phone but I can't use it at my work desk lol)
wikitext
text/x-wiki
=== Trivia ===
* She plays the violin. Her Violin bow is worth one million won.
851ac8da8454f580a80c9e28978223c66e442ae2
The Ssum: Forbidden Lab
0
104
302
2022-08-31T06:19:04Z
YumaRowen
3
We need to archive as much info as we can, so let's archive what the app itself is as well!
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
=== Features ===
=== Development ===
=== Reception ===
=== Gallery ===
722f6151b783593f8e4a58cd9015203ee490a9de
308
302
2022-08-31T07:53:20Z
YumaRowen
3
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
=== Gallery ===
45a9ab9467764634156bf573f23b2a85cc3b41f5
309
308
2022-08-31T07:57:00Z
YumaRowen
3
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The SSum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits) ====
=== Gallery ===
d65ff264a1b58c1304ba0ab879f0862481434dad
310
309
2022-08-31T08:41:28Z
YumaRowen
3
/* August 2022 (In-Game Credits) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The SSum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
{| class="mw-collapsible mw-collapsed wikitable"
|+ style=white-space:nowrap |August 2022 Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
=== Gallery ===
5b48032701cf6514ab09e1567300fa1004d009fc
311
310
2022-08-31T08:43:01Z
YumaRowen
3
/* Staff List */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The SSum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
{| class="mw-collapsible mw-collapsed wikitable"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
=== Gallery ===
9874877e762edfb821ff9eb5e31fa0ccccf74f8c
312
311
2022-08-31T08:44:35Z
YumaRowen
3
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
{| class="mw-collapsible mw-collapsed wikitable"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
=== Gallery ===
1bcbecc5f5ab54c045599a8a459d70f9cf78dfb7
313
312
2022-08-31T08:55:19Z
YumaRowen
3
/* March 2018 (Old Opening Video) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
{| class="mw-collapsible mw-collapsed wikitable", style="width:100%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
{| class="mw-collapsible mw-collapsed wikitable"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
=== Gallery ===
6acd904adfe48768b996c185dbbc56a4e3a9aef3
314
313
2022-08-31T08:55:50Z
YumaRowen
3
/* August 2022 (In-Game Credits as of August 31, 2022) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
{| class="mw-collapsible mw-collapsed wikitable", style="width:100%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
{| class="mw-collapsible mw-collapsed wikitable", style="width:100%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
=== Gallery ===
c1a4b6db6e09c90161be760ce05ef2e2ba983519
315
314
2022-08-31T08:56:21Z
YumaRowen
3
/* August 2022 (In-Game Credits as of August 31, 2022) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
{| class="mw-collapsible mw-collapsed wikitable", style="width:100%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
175ef56abc6bcd816ae9fec62a3562f0eb7db7ec
Cheritz
0
105
303
2022-08-31T06:22:00Z
YumaRowen
3
...Because talking about Cheritz is important, too.
wikitext
text/x-wiki
Cheritz is the company behind [[The Ssum: Forbidden Lab]].
== Released Games ==
== History ==
404f41e0cdf3f43fa347dcc6aa262b348ba541d7
306
303
2022-08-31T07:52:31Z
YumaRowen
3
wikitext
text/x-wiki
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial; cellpadding="3" align="right"
|-
|colspan=2|Cheritz<br>'''"Sweet Solutions for Female Gamers"'''
|-
|colspan=2|[[File:Cheritz_logo.png|300px|center]]
|-
|Created || February 2012
|-
|Employee<br>count||24
|-
|colspan=2|[http://www.cheritz.com Official Website]
|}
__TOC__
Cheritz is the company behind [[The Ssum: Forbidden Lab]]. Their catchphrase is ''"Sweet Solutions for Female Gamers"''.
They were founded in February 2012.
== Released Games ==
* August 27, 2012<ref name="Dandelion Information Page - Cheritz">[http://www.cheritz.com/games/dandelion "Dandelion" - Cheritz ]</ref> - Dandelion - Wishes brought to you -
* November 11, 2013 - <ref name="Nameless Information Page - Cheritz">[http://www.cheritz.com/games/nameless "Nameless" - Cheritz ]</ref> - Nameless ~ The one thing you must recall ~
* July 9, 2016<ref name="Mystic Messenger Information Page - Cheritz">[http://www.cheritz.com/games/mystic-messenger "Mystic Messenger" - Cheritz ]</ref> - Mystic Messenger
== History ==
== References ==
688c44ab79432c8f920355aa4c3bb33f11d87342
307
306
2022-08-31T07:52:46Z
YumaRowen
3
wikitext
text/x-wiki
__TOC__
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial; cellpadding="3" align="right"
|-
|colspan=2|Cheritz<br>'''"Sweet Solutions for Female Gamers"'''
|-
|colspan=2|[[File:Cheritz_logo.png|300px|center]]
|-
|Created || February 2012
|-
|Employee<br>count||24
|-
|colspan=2|[http://www.cheritz.com Official Website]
|}
Cheritz is the company behind [[The Ssum: Forbidden Lab]]. Their catchphrase is ''"Sweet Solutions for Female Gamers"''.
They were founded in February 2012.
== Released Games ==
* August 27, 2012<ref name="Dandelion Information Page - Cheritz">[http://www.cheritz.com/games/dandelion "Dandelion" - Cheritz ]</ref> - Dandelion - Wishes brought to you -
* November 11, 2013 - <ref name="Nameless Information Page - Cheritz">[http://www.cheritz.com/games/nameless "Nameless" - Cheritz ]</ref> - Nameless ~ The one thing you must recall ~
* July 9, 2016<ref name="Mystic Messenger Information Page - Cheritz">[http://www.cheritz.com/games/mystic-messenger "Mystic Messenger" - Cheritz ]</ref> - Mystic Messenger
== History ==
== References ==
05b1f5c2d503ec3453e7002d66f18fddd4ee49a0
The Ssum: Forbidden Lab
0
104
316
315
2022-08-31T08:56:38Z
YumaRowen
3
/* March 2018 (Old Opening Video) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:85%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
86a44e9280ab50b1ed1717bb088f6049b5707569
317
316
2022-08-31T08:56:51Z
YumaRowen
3
/* March 2018 (Old Opening Video) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
204726e6d6e747308775f06a3dde8042e40fddc3
318
317
2022-08-31T09:03:58Z
YumaRowen
3
/* April 2022 (Opening Video) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
ec48628ac760198c15b01e047db6a5791ea1e2d9
319
318
2022-08-31T09:04:44Z
YumaRowen
3
/* March 2018 (Old Opening Video) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
6f15df7bc6dfaf006013e3179f48bf47213b64ef
320
319
2022-08-31T09:05:00Z
YumaRowen
3
/* April 2022 (Opening Video) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
aad5a461a7d665555c27b8628c789ee58dbb616a
321
320
2022-08-31T09:05:18Z
YumaRowen
3
/* August 2022 (In-Game Credits as of August 31, 2022) */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
69549172b18275e93ab21ebef526d38586cf3502
322
321
2022-08-31T09:11:05Z
YumaRowen
3
/* Gallery */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
==== New Opening Video ====
<youtube>1cIGOUSZpFk</youtube>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<youtube>Jj8R1cAdCyI</youtube>
041eafc15a3648d7484a3110c34be8f53d42f7b7
323
322
2022-08-31T09:13:21Z
YumaRowen
3
/* New Opening Video */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<youtube>Jj8R1cAdCyI</youtube>
88c4c8cddc463d3c144f9718cd7feaa4e0042e26
324
323
2022-08-31T09:13:50Z
YumaRowen
3
/* Old Opening Video */
wikitext
text/x-wiki
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
aa264943de6935de0f272864620a9d6de54d8393
328
324
2022-08-31T09:41:22Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
* Unavailable to the public.
==== 1.0.1 ====
* Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).
10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).
5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)]
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
2af1f7b047bf1cc04bcf44f1f9fc55d39b1036ce
329
328
2022-08-31T09:42:26Z
YumaRowen
3
/* 1.0.0 */
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
* Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).
10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).
5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)]
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
a2ee0896bca7aa7f4e2e5d54b80cb4db3198114d
330
329
2022-08-31T09:42:38Z
YumaRowen
3
/* 1.0.1 */
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).
10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).
5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)]
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
4906d03cf40a7edb4346a215a6f841b25b81c385
331
330
2022-08-31T09:42:59Z
YumaRowen
3
/* 1.0.2 */
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).
5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)]
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
ac3efea3ffffb5f3074bc843cb4d74d12517922b
332
331
2022-08-31T09:43:12Z
YumaRowen
3
/* 1.0.3 */
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)]
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
0ffca074177c31069d5ef6cdca53ff0a19bc538b
333
332
2022-08-31T09:44:10Z
YumaRowen
3
/* 1.0.5 */
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in March 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
78203b4b3c6fa5fa5557ea0e7c20f2c5b31643b7
334
333
2022-08-31T09:50:42Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by Cheritz, released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in April 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
f2fdeb70487e9004c848dfdec9f43d268611873d
335
334
2022-08-31T09:59:23Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by [[Cheritz]], released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in April 2018.
=== Features ===
=== Development ===
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
52c4e065382893fed4031db77ad5e58e72c83eea
336
335
2022-08-31T10:21:02Z
YumaRowen
3
/* Development */
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by [[Cheritz]], released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in April 2018.
=== Features ===
=== Development ===
The Ssum has been announced in March 2018, as the newest game from [[Cheritz]]. Taking the core gameplay from Mystic Messenger, a chatting game. Its core feature that made it differ from Mystic Messenger was its "infinite, no bad endings" gameplay. It was supposed to release on March 31st, 2018, but was delayed.<ref>[https://cheritzteam.tumblr.com/post/172438955958/announcement-notice-on-postponement-of-the <nowiki>[Announcement] Notice on Postponement of The Ssum’s Release & Opening Video Disclosure</nowiki>]</ref>
Cheritz also disclosed issues they had with the game, as it contained a lot of assets that required to be done by release. <br>''"Our Cheritz team is mainly consisted of game developers and we, therefore, lack the communication skills that a Marketing Director or a public relations specialist can provide us with."'' The old Opening Video was released with this post.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] released April 4th, 2018, only in Malaysia and India, that contained the first 14 days of gameplay.<ref>[https://cheritzteam.tumblr.com/post/172594617513/the-ssum-notice-on-beta-version-release-in <nowiki>Notice on Beta Version Release in Malaysia and India</nowiki>]</ref>
On November 7th, 2019; [[Cheritz]] announced that the [[The Ssum:Forbidden Lab/Beta|Beta Version]] would become unavailable after December 7th, 2019.<ref>[https://cheritzteam.tumblr.com/post/188873826913/the-ssum-the-ssum-soft-|<nowiki>The SSUM Soft Launch Termination Notice</nowiki>]</ref>
On March 21st, 2022; [[Cheritz]] announced the release date for The Ssum: Forbidden Lab of April 27th, 2022.<ref>[https://cheritzteam.tumblr.com/post/680232750316453888/the-ssum-notice-on-release-of-cheritzs-new <nowiki>Notice on Release of Cheritz’s New Title, ‘The Ssum’</nowiki>]</ref>
On April 14th, 2022; [[Cheritz]] announced a delay for The Ssum: Forbidden Lab, which would now be released on May 11th, 2022. The new Opening Video was released with this post.<ref>[https://cheritzteam.tumblr.com/post/681475067872493568/the-ssum-notice-on-delay-in-grand-launching <nowiki>Notice on Delay in Grand Launching & Opening Video Released</nowiki>]</ref>
On May 4th, 2022; [[Cheritz]] announced a second delay for The Ssum: Forbidden Lab, which would now be released in June 2022.<ref>[https://cheritzteam.tumblr.com/post/683294622938710016/the-ssum-forbidden-lab-notice-on-delay-in-the Notice on Delay in the Grand Launching]</ref>
On June 22th, 2022; [[Cheritz]] announced a third delay for The Ssum: Forbidden, which would now be released in the second half of 2022. Cheritz explained this delay by ''"unexpected vacancy in our staff"'', as they decided to find new staff in order to keep the game up after release. Cheritz also says this is due to their ''"lack of attention to the influence that COVID-19 has brought upon the game industry"''.
<ref>[https://cheritzteam.tumblr.com/post/687733794070036480/the-ssum-notice-on-postponement-of-launching Notice on Postponement of Launching & Word of Apology and Q&A]</ref>
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
03094348939d0d472a65812146bca5e7bf2a7d1f
337
336
2022-08-31T10:23:35Z
YumaRowen
3
/* Development */
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by [[Cheritz]], released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in April 2018.
=== Features ===
=== Development ===
The Ssum has been announced in March 2018, as the newest game from [[Cheritz]]. Taking the core gameplay from Mystic Messenger, a chatting game. Its core feature that made it differ from Mystic Messenger was its "infinite, no bad endings" gameplay. It was supposed to release on March 31st, 2018, but was delayed.<ref>[https://cheritzteam.tumblr.com/post/172438955958/announcement-notice-on-postponement-of-the <nowiki>[Announcement] Notice on Postponement of The Ssum’s Release & Opening Video Disclosure</nowiki>]</ref>
Cheritz also disclosed issues they had with the game, as it contained a lot of assets that required to be done by release. <br>''"Our Cheritz team is mainly consisted of game developers and we, therefore, lack the communication skills that a Marketing Director or a public relations specialist can provide us with."'' The old Opening Video was released with this post.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] released April 4th, 2018, only in Malaysia and India, that contained the first 14 days of gameplay.<ref>[https://cheritzteam.tumblr.com/post/172594617513/the-ssum-notice-on-beta-version-release-in <nowiki>Notice on Beta Version Release in Malaysia and India</nowiki>]</ref>
On November 7th, 2019; [[Cheritz]] announced that the [[The Ssum:Forbidden Lab/Beta|Beta Version]] would become unavailable after December 7th, 2019.<ref>[https://cheritzteam.tumblr.com/post/188873826913/the-ssum-the-ssum-soft-|<nowiki>The SSUM Soft Launch Termination Notice</nowiki>]</ref>
On March 21st, 2022; [[Cheritz]] announced the release date for The Ssum: Forbidden Lab of April 27th, 2022.<ref>[https://cheritzteam.tumblr.com/post/680232750316453888/the-ssum-notice-on-release-of-cheritzs-new <nowiki>Notice on Release of Cheritz’s New Title, ‘The Ssum’</nowiki>]</ref>
On April 14th, 2022; [[Cheritz]] announced a delay for The Ssum: Forbidden Lab, which would now be released on May 11th, 2022. The new Opening Video was released with this post.<ref>[https://cheritzteam.tumblr.com/post/681475067872493568/the-ssum-notice-on-delay-in-grand-launching <nowiki>Notice on Delay in Grand Launching & Opening Video Released</nowiki>]</ref>
On May 4th, 2022; [[Cheritz]] announced a second delay for The Ssum: Forbidden Lab, which would now be released in June 2022.<ref>[https://cheritzteam.tumblr.com/post/683294622938710016/the-ssum-forbidden-lab-notice-on-delay-in-the Notice on Delay in the Grand Launching]</ref>
On June 22th, 2022; [[Cheritz]] announced a third delay for The Ssum: Forbidden, which would now be released in the second half of 2022. Cheritz explained this delay by ''"unexpected vacancy in our staff"'', as they decided to find new staff in order to keep the game up after release. Cheritz also says this is due to their ''"lack of attention to the influence that COVID-19 has brought upon the game industry"''.
<ref>[https://cheritzteam.tumblr.com/post/687733794070036480/the-ssum-notice-on-postponement-of-launching Notice on Postponement of Launching & Word of Apology and Q&A]</ref>
On August 3rd, 2022; [[Cheritz]] announced the final release date for The Ssum: Forbidden Lab, being August 17th, 2022. Along with it, the new Opening Video was posted, and the old one was deleted some days later.<ref>[https://cheritzteam.tumblr.com/post/691546733229031424/the-ssum-forbidden-lab-notice-on-the-ssum <nowiki>Notice on <The Ssum: Forbidden Lab> Official Launch Date and Promotion Video Release</nowiki>]</ref>
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
7f8bc3c361b3595a25c7c56c602090043036a5f3
355
337
2022-08-31T12:32:13Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
The Ssum: Forbidden Lab is an otome game created by [[Cheritz]], released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in April 2018.
=== Features ===
=== Development ===
The Ssum has been announced in March 2018, as the newest game from [[Cheritz]]. Taking the core gameplay from Mystic Messenger, a chatting game. Its core feature that made it differ from Mystic Messenger was its "infinite, no bad endings" gameplay. It was supposed to release on March 31st, 2018, but was delayed.<ref>[https://cheritzteam.tumblr.com/post/172438955958/announcement-notice-on-postponement-of-the <nowiki>[Announcement] Notice on Postponement of The Ssum’s Release & Opening Video Disclosure</nowiki>]</ref>
Cheritz also disclosed issues they had with the game, as it contained a lot of assets that required to be done by release. <br>''"Our Cheritz team is mainly consisted of game developers and we, therefore, lack the communication skills that a Marketing Director or a public relations specialist can provide us with."'' The old Opening Video was released with this post.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] released April 4th, 2018, only in Malaysia and India, that contained the first 14 days of gameplay.<ref>[https://cheritzteam.tumblr.com/post/172594617513/the-ssum-notice-on-beta-version-release-in <nowiki>Notice on Beta Version Release in Malaysia and India</nowiki>]</ref>
On November 7th, 2019; [[Cheritz]] announced that the [[The Ssum:Forbidden Lab/Beta|Beta Version]] would become unavailable after December 7th, 2019.<ref>[https://cheritzteam.tumblr.com/post/188873826913/the-ssum-the-ssum-soft-|<nowiki>The SSUM Soft Launch Termination Notice</nowiki>]</ref>
On March 21st, 2022; [[Cheritz]] announced the release date for The Ssum: Forbidden Lab of April 27th, 2022.<ref>[https://cheritzteam.tumblr.com/post/680232750316453888/the-ssum-notice-on-release-of-cheritzs-new <nowiki>Notice on Release of Cheritz’s New Title, ‘The Ssum’</nowiki>]</ref>
On April 14th, 2022; [[Cheritz]] announced a delay for The Ssum: Forbidden Lab, which would now be released on May 11th, 2022. The new Opening Video was released with this post.<ref>[https://cheritzteam.tumblr.com/post/681475067872493568/the-ssum-notice-on-delay-in-grand-launching <nowiki>Notice on Delay in Grand Launching & Opening Video Released</nowiki>]</ref>
On May 4th, 2022; [[Cheritz]] announced a second delay for The Ssum: Forbidden Lab, which would now be released in June 2022.<ref>[https://cheritzteam.tumblr.com/post/683294622938710016/the-ssum-forbidden-lab-notice-on-delay-in-the Notice on Delay in the Grand Launching]</ref>
On June 22th, 2022; [[Cheritz]] announced a third delay for The Ssum: Forbidden, which would now be released in the second half of 2022. Cheritz explained this delay by ''"unexpected vacancy in our staff"'', as they decided to find new staff in order to keep the game up after release. Cheritz also says this is due to their ''"lack of attention to the influence that COVID-19 has brought upon the game industry"''.
<ref>[https://cheritzteam.tumblr.com/post/687733794070036480/the-ssum-notice-on-postponement-of-launching Notice on Postponement of Launching & Word of Apology and Q&A]</ref>
On August 3rd, 2022; [[Cheritz]] announced the final release date for The Ssum: Forbidden Lab, being August 17th, 2022. Along with it, the new Opening Video was posted, and the old one was deleted some days later.<ref name="SsumInfo">[https://cheritzteam.tumblr.com/post/691546733229031424/the-ssum-forbidden-lab-notice-on-the-ssum <nowiki>Notice on <The Ssum: Forbidden Lab> Official Launch Date and Promotion Video Release</nowiki>]</ref>
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
e6975251b975581f337f5c0f506df5ee15abbf75
358
355
2022-08-31T12:42:45Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
{|class="infobox" style="width:30%; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;float:right;"
|-
|colspan=2 style="font-size:150%;"|<div style="background:rgba(139, 97, 194,0.3)>'''The Ssum:<br>Forbidden Lab'''</div>
|-
|colspan=2|[[File:TheSsumApp_logo.png|180px|center]]
|-
|'''Developer''' || [[Cheritz]]
|-
|'''Release Date''' || August 17, 2022
|-
|'''Genre'''||Simulation
|-
|colspan=2|[https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android]<br> [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]
|}
The Ssum: Forbidden Lab is an otome game created by [[Cheritz]], released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in April 2018.
=== Features ===
=== Development ===
The Ssum has been announced in March 2018, as the newest game from [[Cheritz]]. Taking the core gameplay from Mystic Messenger, a chatting game. Its core feature that made it differ from Mystic Messenger was its "infinite, no bad endings" gameplay. It was supposed to release on March 31st, 2018, but was delayed.<ref>[https://cheritzteam.tumblr.com/post/172438955958/announcement-notice-on-postponement-of-the <nowiki>[Announcement] Notice on Postponement of The Ssum’s Release & Opening Video Disclosure</nowiki>]</ref>
Cheritz also disclosed issues they had with the game, as it contained a lot of assets that required to be done by release. <br>''"Our Cheritz team is mainly consisted of game developers and we, therefore, lack the communication skills that a Marketing Director or a public relations specialist can provide us with."'' The old Opening Video was released with this post.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] released April 4th, 2018, only in Malaysia and India, that contained the first 14 days of gameplay.<ref>[https://cheritzteam.tumblr.com/post/172594617513/the-ssum-notice-on-beta-version-release-in <nowiki>Notice on Beta Version Release in Malaysia and India</nowiki>]</ref>
On November 7th, 2019; [[Cheritz]] announced that the [[The Ssum:Forbidden Lab/Beta|Beta Version]] would become unavailable after December 7th, 2019.<ref>[https://cheritzteam.tumblr.com/post/188873826913/the-ssum-the-ssum-soft-|<nowiki>The SSUM Soft Launch Termination Notice</nowiki>]</ref>
On March 21st, 2022; [[Cheritz]] announced the release date for The Ssum: Forbidden Lab of April 27th, 2022.<ref>[https://cheritzteam.tumblr.com/post/680232750316453888/the-ssum-notice-on-release-of-cheritzs-new <nowiki>Notice on Release of Cheritz’s New Title, ‘The Ssum’</nowiki>]</ref>
On April 14th, 2022; [[Cheritz]] announced a delay for The Ssum: Forbidden Lab, which would now be released on May 11th, 2022. The new Opening Video was released with this post.<ref>[https://cheritzteam.tumblr.com/post/681475067872493568/the-ssum-notice-on-delay-in-grand-launching <nowiki>Notice on Delay in Grand Launching & Opening Video Released</nowiki>]</ref>
On May 4th, 2022; [[Cheritz]] announced a second delay for The Ssum: Forbidden Lab, which would now be released in June 2022.<ref>[https://cheritzteam.tumblr.com/post/683294622938710016/the-ssum-forbidden-lab-notice-on-delay-in-the Notice on Delay in the Grand Launching]</ref>
On June 22th, 2022; [[Cheritz]] announced a third delay for The Ssum: Forbidden, which would now be released in the second half of 2022. Cheritz explained this delay by ''"unexpected vacancy in our staff"'', as they decided to find new staff in order to keep the game up after release. Cheritz also says this is due to their ''"lack of attention to the influence that COVID-19 has brought upon the game industry"''.
<ref>[https://cheritzteam.tumblr.com/post/687733794070036480/the-ssum-notice-on-postponement-of-launching Notice on Postponement of Launching & Word of Apology and Q&A]</ref>
On August 3rd, 2022; [[Cheritz]] announced the final release date for The Ssum: Forbidden Lab, being August 17th, 2022. Along with it, the new Opening Video was posted, and the old one was deleted some days later.<ref name="SsumInfo">[https://cheritzteam.tumblr.com/post/691546733229031424/the-ssum-forbidden-lab-notice-on-the-ssum <nowiki>Notice on <The Ssum: Forbidden Lab> Official Launch Date and Promotion Video Release</nowiki>]</ref>
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
cb608ee8fbed5b0ffd0a25874df944f3e15fcceb
User:YumaRowen
2
106
325
2022-08-31T09:19:49Z
YumaRowen
3
Created page with "Hello! I'm one of the Administrators for this wiki. I've been a Cheritz fan since the release of Mystic Messenger, where I created a Discord Server that got a bit popular. I'm now the Admin of r/Ssum and it's Discord Server, which you can find in the Navigation Bar. == Previous Wiki Activity == I have done some work with Templates and some edits for the [https://sidem.miraheze.org SideM Miraheze Wiki]. Which is why you may find some similarities in how things are done!..."
wikitext
text/x-wiki
Hello! I'm one of the Administrators for this wiki.
I've been a Cheritz fan since the release of Mystic Messenger, where I created a Discord Server that got a bit popular. I'm now the Admin of r/Ssum and it's Discord Server, which you can find in the Navigation Bar.
== Previous Wiki Activity ==
I have done some work with Templates and some edits for the [https://sidem.miraheze.org SideM Miraheze Wiki]. Which is why you may find some similarities in how things are done! That's how I got into wiki editing, after all.
ffe73c18548a0971c85df201dcf32cc40da7543b
Template:WorkInProgress
10
107
326
2022-08-31T09:25:55Z
YumaRowen
3
cool template
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center"
| style="border-bottom:none"|<span style="color:red">'''Warning:''' This page needs work.
|-
|style="font-size:95%;border-top:none" | Crucial information on the subject might be missing, and might not be up-to-date.
|}
39f3979f09dc15a5f5c914112f2da172f061ecc5
346
326
2022-08-31T12:17:16Z
YumaRowen
3
wikitext
text/x-wiki
<includeonly>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center"
| style="border-bottom:none"|<span style="color:red">'''Warning:''' This page needs work.
|-
|style="font-size:95%;border-top:none" | Crucial information on the subject might be missing, and might not be up-to-date.
|}
</includeonly>
<noinclude>
[[Category:Templates]]
[[Category:WikiWarnings]]
</noinclude>
8101cb075f7b95d6e83fefd9a8ace3705d1405b1
347
346
2022-08-31T12:17:41Z
YumaRowen
3
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center"
| style="border-bottom:none"|<span style="color:red">'''Warning:''' This page needs work.
|-
|style="font-size:95%;border-top:none" | Crucial information on the subject might be missing, and might not be up-to-date.
|}
<noinclude>
[[Category:Templates]]
[[Category:WikiWarnings]]
</noinclude>
1d068987ce405bcbc35a76182466dcec4af8383d
Cheritz
0
105
327
307
2022-08-31T09:27:30Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
__TOC__
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial; cellpadding="3" align="right"
|-
|colspan=2|Cheritz<br>'''"Sweet Solutions for Female Gamers"'''
|-
|colspan=2|[[File:Cheritz_logo.png|300px|center]]
|-
|Created || February 2012
|-
|Employee<br>count||24
|-
|colspan=2|[http://www.cheritz.com Official Website]
|}
Cheritz is the company behind [[The Ssum: Forbidden Lab]]. Their catchphrase is ''"Sweet Solutions for Female Gamers"''.
They were founded in February 2012.
== Released Games ==
* August 27, 2012<ref name="Dandelion Information Page - Cheritz">[http://www.cheritz.com/games/dandelion "Dandelion" - Cheritz ]</ref> - Dandelion - Wishes brought to you -
* November 11, 2013 - <ref name="Nameless Information Page - Cheritz">[http://www.cheritz.com/games/nameless "Nameless" - Cheritz ]</ref> - Nameless ~ The one thing you must recall ~
* July 9, 2016<ref name="Mystic Messenger Information Page - Cheritz">[http://www.cheritz.com/games/mystic-messenger "Mystic Messenger" - Cheritz ]</ref> - Mystic Messenger
== History ==
== References ==
d7561f941f31a77f44dfb305224aebc52923734a
344
327
2022-08-31T12:13:19Z
Junikea
2
Added The Ssum to Released Games, reference needed
wikitext
text/x-wiki
{{WorkInProgress}}
__TOC__
{|class="infobox" style="width:24em; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial; cellpadding="3" align="right"
|-
|colspan=2|Cheritz<br>'''"Sweet Solutions for Female Gamers"'''
|-
|colspan=2|[[File:Cheritz_logo.png|300px|center]]
|-
|Created || February 2012
|-
|Employee<br>count||24
|-
|colspan=2|[http://www.cheritz.com Official Website]
|}
Cheritz is the company behind [[The Ssum: Forbidden Lab]]. Their catchphrase is ''"Sweet Solutions for Female Gamers"''.
They were founded in February 2012.
== Released Games ==
* August 27, 2012<ref name="Dandelion Information Page - Cheritz">[http://www.cheritz.com/games/dandelion "Dandelion" - Cheritz ]</ref> - Dandelion - Wishes brought to you -
* November 11, 2013 - <ref name="Nameless Information Page - Cheritz">[http://www.cheritz.com/games/nameless "Nameless" - Cheritz ]</ref> - Nameless ~ The one thing you must recall ~
* July 9, 2016<ref name="Mystic Messenger Information Page - Cheritz">[http://www.cheritz.com/games/mystic-messenger "Mystic Messenger" - Cheritz ]</ref> - Mystic Messenger
* August 17, 2022<ref name="The Ssum: Forbidden Lab Information Page - Cheritz">
[reference needed]</ref> - The Ssum: Forbidden Lab
== History ==
== References ==
1e3e5978e99c5bf556ddbec9e119d42e6c4261f7
353
344
2022-08-31T12:30:06Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
__TOC__
{|class="infobox" style="width:30%; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;float:right;"
|-
|colspan=2|Cheritz<br>'''"Sweet Solutions for Female Gamers"'''
|-
|colspan=2|[[File:Cheritz_logo.png|180px|center]]
|-
|Created || February 2012
|-
|Employee<br>count||24
|-
|colspan=2|[http://www.cheritz.com Official Website]
|}
Cheritz is the company behind [[The Ssum: Forbidden Lab]]. Their catchphrase is ''"Sweet Solutions for Female Gamers"''.
They were founded in February 2012.
== Released Games ==
* August 27, 2012<ref name="Dandelion Information Page - Cheritz">[http://www.cheritz.com/games/dandelion "Dandelion" - Cheritz ]</ref> - Dandelion - Wishes brought to you -
* November 11, 2013 - <ref name="Nameless Information Page - Cheritz">[http://www.cheritz.com/games/nameless "Nameless" - Cheritz ]</ref> - Nameless ~ The one thing you must recall ~
* July 9, 2016<ref name="Mystic Messenger Information Page - Cheritz">[http://www.cheritz.com/games/mystic-messenger "Mystic Messenger" - Cheritz ]</ref> - Mystic Messenger
* August 17, 2022<ref name="The Ssum: Forbidden Lab Information Page - Cheritz">
[reference needed]</ref> - The Ssum: Forbidden Lab
== History ==
== References ==
a2e33375b1aad774b4abf34d9408a15ea739a2c4
356
353
2022-08-31T12:33:04Z
YumaRowen
3
wikitext
text/x-wiki
{{WorkInProgress}}
__TOC__
{|class="infobox" style="width:30%; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;float:right;"
|-
|colspan=2|Cheritz<br>'''"Sweet Solutions for Female Gamers"'''
|-
|colspan=2|[[File:Cheritz_logo.png|180px|center]]
|-
|Created || February 2012
|-
|Employee<br>count||24
|-
|colspan=2|[http://www.cheritz.com Official Website]
|}
Cheritz is the company behind [[The Ssum: Forbidden Lab]]. Their catchphrase is ''"Sweet Solutions for Female Gamers"''.
They were founded in February 2012.
== Released Games ==
* August 27, 2012<ref name="Dandelion Information Page - Cheritz">[http://www.cheritz.com/games/dandelion "Dandelion" - Cheritz ]</ref> - Dandelion - Wishes brought to you -
* November 11, 2013 - <ref name="Nameless Information Page - Cheritz">[http://www.cheritz.com/games/nameless "Nameless" - Cheritz ]</ref> - Nameless ~ The one thing you must recall ~
* July 9, 2016<ref name="Mystic Messenger Information Page - Cheritz">[http://www.cheritz.com/games/mystic-messenger "Mystic Messenger" - Cheritz ]</ref> - Mystic Messenger
* August 17, 2022<ref name="SsumInfo">[https://cheritzteam.tumblr.com/post/691546733229031424/the-ssum-forbidden-lab-notice-on-the-ssum <nowiki>Notice on <The Ssum: Forbidden Lab> Official Launch Date and Promotion Video Release</nowiki>]</ref> - The Ssum: Forbidden Lab
== History ==
== References ==
d90d529d09eedaadba1022b5115eb7902a74920d
Main Page
0
1
338
305
2022-08-31T10:25:43Z
YumaRowen
3
/* Welcome to The Ssum Forbidden Lab's Unofficial Miraheze Wiki! */
wikitext
text/x-wiki
__NOTOC__
== Welcome to The Ssum Forbidden Lab's Unofficial Miraheze Wiki! ==
<center>[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.
You can download it for [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
651c06068a1fb176d49b0e17c74f200c5b8d4f18
339
338
2022-08-31T10:26:00Z
YumaRowen
3
/* Welcome to The Ssum Forbidden Lab's Unofficial Miraheze Wiki! */
wikitext
text/x-wiki
__NOTOC__
== Welcome to The Ssum Forbidden Lab's Unofficial Miraheze Wiki! ==
<center>[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.
<br>You can download it for free on[https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
6197e0a810da2178f656e75f489eede91151dcb3
340
339
2022-08-31T10:26:14Z
YumaRowen
3
/* Welcome to The Ssum Forbidden Lab's Unofficial Miraheze Wiki! */
wikitext
text/x-wiki
__NOTOC__
== Welcome to The Ssum Forbidden Lab's Unofficial Miraheze Wiki! ==
<center>[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.
<br>You can download it for free on [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
53963d6504e25a151de51a3ebabb1c0e0dd9b0ee
341
340
2022-08-31T10:29:42Z
YumaRowen
3
wikitext
text/x-wiki
__NOTOC__
<center><span style="font-size:250%;font-family:Arial Black;">Welcome to The Ssum: Forbidden Lab's<br>Unofficial Miraheze Wiki!</span><br>
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.
<br>You can download it for free on [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
ec270dc6d62a8cec5611934b31963a8e0b92cddc
342
341
2022-08-31T10:30:03Z
YumaRowen
3
wikitext
text/x-wiki
__NOTOC__
<center><span style="font-size:250%;font-family:Arial Black;">Welcome to The Ssum: Forbidden Lab's<br>Unofficial Miraheze Wiki!</span><br>
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.<br>You can download it for free on [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center><br>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
c8eb616e77e8052330b7eb0acf7739af4295e121
343
342
2022-08-31T10:38:19Z
YumaRowen
3
wikitext
text/x-wiki
__NOTOC__
<center><span style="font-size:250%;font-family:Arial Black;">Welcome to The Ssum: Forbidden Lab's<br>Unofficial Miraheze Wiki!</span><br>We are still working on getting the wiki set-up with up-to-date information about the game, but you can still browse around the different pages!<br>
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.<br>You can download it for free on [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center><br>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== Navigation ===
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center"
| style="border-right:none;border-bottom:none"|[[Characters]]||[[Planets]]||[[Energy]]
|-
| style="border-right:none;border-bottom:none"|[[Space Creatures]]||[[Trivial Features]]
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
880ac7adb48d02c14b8f1a84e28726de82fccd14
345
343
2022-08-31T12:15:15Z
YumaRowen
3
/* Navigation */
wikitext
text/x-wiki
__NOTOC__
<center><span style="font-size:250%;font-family:Arial Black;">Welcome to The Ssum: Forbidden Lab's<br>Unofficial Miraheze Wiki!</span><br>We are still working on getting the wiki set-up with up-to-date information about the game, but you can still browse around the different pages!<br>
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.<br>You can download it for free on [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center><br>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== Navigation ===
{| class="wikitable" style="width:50%;border:2px solid rgba(0,0,0,0); text-align:center"
! style="width:20%;background-color:rgba(139, 97, 194,0.3);" | Main
|
*[[Characters]]
*[[Story]]
*[[Trivial Features]]
|-
! style="width:20%;background-color:rgba(104, 126, 150,0.3)" | Forbidden Lab
|
*[[Planets]]
*[[Energy]]
*[[Space Creatures]]
|}
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
f5181629878b731404699e555ab25ddffd151894
350
345
2022-08-31T12:26:07Z
YumaRowen
3
/* Navigation */
wikitext
text/x-wiki
__NOTOC__
<center><span style="font-size:250%;font-family:Arial Black;">Welcome to The Ssum: Forbidden Lab's<br>Unofficial Miraheze Wiki!</span><br>We are still working on getting the wiki set-up with up-to-date information about the game, but you can still browse around the different pages!<br>
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.<br>You can download it for free on [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center><br>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
=== Navigation ===
<center>
{{MainNavigation}}
</center>
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
a874dafc91698a713b4100f059c0f470392712eb
351
350
2022-08-31T12:26:51Z
YumaRowen
3
wikitext
text/x-wiki
__NOTOC__
<center><span style="font-size:250%;font-family:Arial Black;">Welcome to The Ssum: Forbidden Lab's<br>Unofficial Miraheze Wiki!</span><br>We are still working on getting the wiki set-up with up-to-date information about the game, but you can still browse around the different pages!<br>
[[The Ssum: Forbidden Lab]] is an otome game made by [[Cheritz]], released on the 17th of August 2022.<br>You can download it for free on [https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android] and [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]. </center><br>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
<br>
<center>
{{MainNavigation}}
</center>
<br>
=== WORK IN PROGRESS ===
I left the links so anyone that needs help has easy access.
To be deleted at a later date.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== Where can we help with the wiki? ====
On the Discord server you can find here, (https://discord.gg/DZXd3bMKns); you can find a '''Thread''' talking about the Wiki in the '''ssum-general''' channel.
491951b182d1138f064d313faae0f49fd3a4a39e
Template:InfluencialTemplate
10
108
348
2022-08-31T12:19:25Z
YumaRowen
3
Created page with "{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center" | style="border-bottom:none"|<span style="color:red">'''Warning:''' This Template is used in high-traffic pages. |- |style="font-size:95%;border-top:none" | Be careful when editing it and do not save without previewing your work. |}"
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center"
| style="border-bottom:none"|<span style="color:red">'''Warning:''' This Template is used in high-traffic pages.
|-
|style="font-size:95%;border-top:none" | Be careful when editing it and do not save without previewing your work.
|}
4637423ef3bc8197b9ad441ccd8b744b54f38364
361
348
2022-08-31T12:44:58Z
YumaRowen
3
added category
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center"
| style="border-bottom:none"|<span style="color:red">'''Warning:''' This Template is used in high-traffic pages.
|-
|style="font-size:95%;border-top:none" | Be careful when editing it and do not save without previewing your work.
|}
<noinclude>
[[Category:WikiWarnings]]
1d2b7d706b549a6d0be275cd87dfcdb7097124d2
362
361
2022-08-31T12:45:18Z
YumaRowen
3
oops
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center"
| style="border-bottom:none"|<span style="color:red">'''Warning:''' This Template is used in high-traffic pages.
|-
|style="font-size:95%;border-top:none" | Be careful when editing it and do not save without previewing your work.
|}
<noinclude>
[[Category:WikiWarnings]]
</noinclude>
d361d706ca5daf3c0806be478666921c699d9e1d
Template:MainNavigation
10
109
349
2022-08-31T12:20:16Z
YumaRowen
3
Created page with "<noinclude> {{InfluencialTemplate}} </noinclude> {| class="wikitable" style="width:50%;border:2px solid rgba(0,0,0,0); text-align:center" ! style="width:20%;background-color:rgba(139, 97, 194,0.3);" | Main | *[[Characters]] *[[Story]] *[[Trivial Features]] |- ! style="width:20%;background-color:rgba(104, 126, 150,0.3)" | Forbidden Lab | *[[Planets]] *[[Energy]] *[[Space Creatures]] |}"
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{| class="wikitable" style="width:50%;border:2px solid rgba(0,0,0,0); text-align:center"
! style="width:20%;background-color:rgba(139, 97, 194,0.3);" | Main
|
*[[Characters]]
*[[Story]]
*[[Trivial Features]]
|-
! style="width:20%;background-color:rgba(104, 126, 150,0.3)" | Forbidden Lab
|
*[[Planets]]
*[[Energy]]
*[[Space Creatures]]
|}
dab090b0b07b3f0a18c40a5d71d8b97a7fa9943b
File:Cheritz logo.png
6
110
352
2022-08-31T12:28:31Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:MainPageEnergyInfo
10
32
354
271
2022-08-31T12:32:08Z
Junikea
2
Updated daily energy info for 8-31
wikitext
text/x-wiki
{{DailyEnergyInfo
|energyName=Innocent
|date=8-31, 2022
|description=This is a wish from innocent energy.
'Let your wings spread. Be free and show yourself...'
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.}}
f081d935accfeb466e1c7a0585a65d48d8baf891
359
354
2022-08-31T12:43:33Z
YumaRowen
3
added {{InfluencialTemplate}}
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Innocent
|date=8-31, 2022
|description=This is a wish from innocent energy.
'Let your wings spread. Be free and show yourself...'
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.}}
394d7662b1554f93a42bcc5707e6685a57adcb89
Energy/Innocent Energy
0
8
357
153
2022-08-31T12:35:09Z
Junikea
2
Added daily energy info for 8-31
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}}
{{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}}
{{DailyEnergyInfo
|energyName=Innocent
|date=8-31, 2022
|description=This is a wish from innocent energy.
'Let your wings spread. Be free and show yourself...'
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.}}
</center>
|-
|}
[[Category:Energy]]
a1b427cd6ee5c57ebaebc4078fbbb8f3ba3703f5
Template:News
10
68
360
182
2022-08-31T12:43:59Z
YumaRowen
3
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="width:50%;float:left;text-align:center;"><twitter screen-name="Cheritz_DL"/></div>
<div style="text-align:center">{{MainPageEnergyInfo}}</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | News
|}
1af07d8941bffeb54754b42ed4a8be477b90c913
Template:Navbox
10
111
364
363
2022-08-31T12:55:54Z
YumaRowen
3
1 revision imported from [[:mw:Template:Navbox]]
wikitext
text/x-wiki
<includeonly>{{#invoke:Navbox|navbox}}</includeonly><noinclude>
{{Documentation}}
</noinclude>
fe9b964401f895918ee4fe078678f1722a3c41ec
Template:Pagelang
10
112
366
365
2022-08-31T12:55:55Z
YumaRowen
3
1 revision imported from [[:mw:Template:Pagelang]]
wikitext
text/x-wiki
{{#ifeq:{{#invoke:Template translation|getLanguageSubpage|{{{1|}}}}}|en
|{{#ifeq:{{#titleparts:{{{1|{{PAGENAME}}}}}||-1}}|en
|{{#invoke:Template translation|getLanguageSubpage|{{{1|}}}}}
}}
|{{#invoke:Template translation|getLanguageSubpage|{{{1|}}}}}
}}<noinclude>
{{Documentation}}
</noinclude>
c4102d40356283246cbc855bef4754c0a15b4bea
Template:Clear
10
113
368
367
2022-08-31T12:55:55Z
YumaRowen
3
1 revision imported from [[:mw:Template:Clear]]
wikitext
text/x-wiki
<div style="clear: {{{1|both}}};"></div><noinclude>
{{Documentation}}</noinclude>
529df0ba87c6f5d2ef3cdc233a2f08f7a6242ec7
Module:Template translation
828
114
370
369
2022-08-31T12:55:56Z
YumaRowen
3
1 revision imported from [[:mw:Module:Template_translation]]
Scribunto
text/plain
local this = {}
function this.checkLanguage(subpage, default)
--[[Check first if there's an any invalid character that would cause the
mw.language.isKnownLanguageTag function() to throw an exception:
- all ASCII controls in [\000-\031\127],
- double quote ("), sharp sign (#), ampersand (&), apostrophe ('),
- slash (/), colon (:), semicolon (;), lower than (<), greater than (>),
- brackets and braces ([, ], {, }), pipe (|), backslash (\\)
All other characters are accepted, including space and all non-ASCII
characters (including \192, which is invalid in UTF-8).
--]]
if mw.language.isValidCode(subpage) and mw.language.isKnownLanguageTag(subpage)
--[[However "SupportedLanguages" are too restrictive, as they discard many
valid BCP47 script variants (only because MediaWiki still does not
define automatic transliterators for them, e.g. "en-dsrt" or
"fr-brai" for French transliteration in Braille), and country variants,
(useful in localized data, even if they are no longer used for
translations, such as zh-cn, also useful for legacy codes).
We want to avoid matching subpagenames containing any uppercase letter,
(even if they are considered valid in BCP 47, in which they are
case-insensitive; they are not "SupportedLanguages" for MediaWiki, so
they are not "KnownLanguageTags" for MediaWiki).
To be more restrictive, we exclude any character
* that is not ASCII and not a lowercase letter, minus-hyphen, or digit,
or does not start by a letter or does not finish by a letter or digit;
* or that has more than 8 characters between hyphens;
* or that has two hyphens;
* or with specific uses in template subpages and unusable as languages.
--]]
or string.find(subpage, "^[%l][%-%d%l]*[%d%l]$") ~= nil
and string.find(subpage, "[%d%l][%d%l][%d%l][%d%l][%d%l][%d%l][%d%l][%d%l][%d%l]") == nil
and string.find(subpage, "%-%-") == nil
and subpage ~= "doc"
and subpage ~= "layout"
and subpage ~= "sandbox"
and subpage ~= "testcases"
and subpage ~= "init"
and subpage ~= "preload"
and subpage ~= "subpage"
and subpage ~= "subpage2"
and subpage ~= "sub-subpage"
and subpage ~= "sub-sub-subpage"
and subpage ~= "sub-sub-sub-subpage"
then
return subpage
end
-- Otherwise there's currently no known language subpage
return default
end
--[[Get the last subpage of an arbitrary page if it is a translation.
To be used from templates.
]]
function this.getLanguageSubpage(frame)
local title = frame and frame.args[1]
if not title or title == '' then
title = mw.title.getCurrentTitle()
end
return this._getLanguageSubpage(title)
end
--[[Get the last subpage of an arbitrary page if it is a translation.
To be used from Lua.
]]
function this._getLanguageSubpage(title)
if type(title) == 'string' then
title = mw.title.new(title)
end
if not title then
-- invalid title
return mw.language.getContentLanguage():getCode()
end
--[[This code does not work in all namespaces where the Translate tool works.
-- It works in the main namespace on Meta because it allows subpages there
-- It would not work in the main namespace of English Wikipedia (but the
-- articles are monolignual on that wiki).
-- On Meta-Wiki the main space uses subpages and its pages are translated.
-- The Translate tool allows translatng pages in all namespaces, even if
-- the namespace officially does not have subpages.
-- On Meta-Wiki the Category namespace still does not have subpages enabled,
-- even if they would be very useful for categorizing templates, that DO have
-- subpages (for documentatio and tstboxes pages). This is a misconfiguration
-- bug of Meta-Wiki. The work-around is to split the full title and then
-- get the last titlepart.
local subpage = title.subpageText
--]]
local titleparts = mw.text.split(title.fullText, '/')
local subpage = titleparts[#titleparts]
return this.checkLanguage(subpage, mw.language.getContentLanguage():getCode())
end
--[[Get the last subpage of the current page if it is a translation.
]]
function this.getCurrentLanguageSubpage()
return this._getLanguageSubpage(mw.title.getCurrentTitle())
end
--[[Get the first part of the language code of the subpage, before the '-'.
]]
function this.getMainLanguageSubpage()
parts = mw.text.split( this.getCurrentLanguageSubpage(), '-' )
return parts[1]
end
--[[Get the last subpage of the current frame if it is a translation.
Not used locally.
]]
function this.getFrameLanguageSubpage(frame)
return this._getLanguageSubpage(frame:getParent():getTitle())
end
--[[Get the language of the current page.
Not used locally.
]]
function this.getLanguage()
local subpage = mw.title.getCurrentTitle().subpageText
return this.checkLanguage(subpage, mw.language.getContentLanguage():getCode())
end
--[[Get the language of the current frame.
Not used locally.
]]
function this.getFrameLanguage(frame)
local titleparts = mw.text.split(frame:getParent():getTitle(), '/')
local subpage = titleparts[#titleparts]
return this.checkLanguage(subpage, mw.language.getContentLanguage():getCode())
end
function this.title(namespace, basepagename, subpage)
local message, title
local pagename = basepagename
if (subpage or '') ~= ''
then
pagename = pagename .. '/' .. subpage
end
local valid, title = xpcall(function()
return mw.title.new(pagename, namespace) -- costly
end, function(msg) -- catch undocumented exception (!?)
-- thrown when namespace does not exist. The doc still
-- says it should return a title, even in that case...
message = msg
end)
if valid and title ~= nil and (title.id or 0) ~= 0
then
return title
end
return { -- "pseudo" mw.title object with id = nil in case of error
prefixedText = pagename, -- the only property we need below
message = message -- only for debugging
}
end
--[[If on a translation subpage (like Foobar/de), this function returns
a given template in the same language, if the translation is available.
Otherwise, the template is returned in its default language, without
modification.
This is aimed at replacing the current implementation of Template:TNTN.
This version does not expand the returned template name: this solves the
problem of self-recursion in TNT when translatable templates need themselves
to transclude other translable templates (such as Tnavbar).
]]
function this.getTranslatedTemplate(frame, withStatus)
local args = frame.args
local pagename = args['template']
--[[Check whether the pagename is actually in the Template namespace, or
if we're transcluding a main-namespace page.
(added for backward compatibility of Template:TNT)
]]
local title
local namespace = args['tntns'] or ''
if (namespace ~= '') -- Checks for tntns parameter for custom ns.
then
title = this.title(namespace, pagename) -- Costly
else -- Supposes that set page is in ns10.
namespace = 'Template'
title = this.title(namespace, pagename) -- Costly
if title.id == nil
then -- not found in the Template namespace, assume the main namespace (for backward compatibility)
namespace = ''
title = this.title(namespace, pagename) -- Costly
end
end
-- Get the last subpage and check if it matches a known language code.
local subpage = args['uselang'] or ''
if (subpage == '')
then
subpage = this.getCurrentLanguageSubpage()
end
if (subpage == '')
then
-- Check if a translation of the pagename exists in English
local newtitle = this.title(namespace, pagename, 'en') -- Costly
-- Use the translation when it exists
if newtitle.id ~= nil
then
title = newtitle
end
else
-- Check if a translation of the pagename exists in that language
local newtitle = this.title(namespace, pagename, subpage) -- Costly
if newtitle.id == nil
then
-- Check if a translation of the pagename exists in English
newtitle = this.title(namespace, pagename, 'en') -- Costly
end
-- Use the translation when it exists
if newtitle.id ~= nil
then
title = newtitle
end
end
-- At this point the title should exist
if withStatus then
-- status returned to Lua function below
return title.prefixedText, title.id ~= nil
else
-- returned directly to MediaWiki
return title.prefixedText
end
end
--[[If on a translation subpage (like Foobar/de), this function renders
a given template in the same language, if the translation is available.
Otherwise, the template is rendered in its default language, without
modification.
This is aimed at replacing the current implementation of Template:TNT.
Note that translatable templates cannot transclude themselves other
translatable templates, as it will recurse on TNT. Use TNTN instead
to return only the effective template name to expand externally, with
template parameters also provided externally.
]]
function this.renderTranslatedTemplate(frame)
local title, found = this.getTranslatedTemplate(frame, true)
-- At this point the title should exist prior to performing the expansion
-- of the template, otherwise render a red link to the missing page
-- (resolved in its assumed namespace). If we don't tet this here, a
-- script error would be thrown. Returning a red link is consistant with
-- MediaWiki behavior when attempting to transclude inexistant templates.
if not found then
return '[[' .. title .. ']]'
end
-- Copy args pseudo-table to a proper table so we can feed it to expandTemplate.
-- Then render the pagename.
local args = frame.args
local pargs = (frame:getParent() or {}).args
local arguments = {}
if (args['noshift'] or '') == ''
then
for k, v in pairs(pargs) do
-- numbered args >= 1 need to be shifted
local n = tonumber(k) or 0
if (n > 0)
then
if (n >= 2)
then
arguments[n - 1] = v
end
else
arguments[k] = v
end
end
else -- special case where TNT is used as autotranslate
-- (don't shift again what is shifted in the invokation)
for k, v in pairs(pargs) do
arguments[k] = v
end
end
arguments['template'] = title -- override the existing parameter of the base template name supplied with the full name of the actual template expanded
arguments['tntns'] = nil -- discard the specified namespace override
arguments['uselang'] = args['uselang'] -- argument forwarded into parent frame
arguments['noshift'] = args['noshift'] -- argument forwarded into parent frame
return frame:expandTemplate{title = ':' .. title, args = arguments}
end
--[[A helper for mocking TNT in Special:TemplateSandbox. TNT breaks
TemplateSandbox; mocking it with this method means templates won't be
localized but at least TemplateSandbox substitutions will work properly.
Won't work with complex uses.
]]
function this.mockTNT(frame)
local pargs = (frame:getParent() or {}).args
local arguments = {}
for k, v in pairs(pargs) do
-- numbered args >= 1 need to be shifted
local n = tonumber(k) or 0
if (n > 0)
then
if (n >= 2)
then
arguments[n - 1] = v
end
else
arguments[k] = v
end
end
if not pargs[1]
then
return ''
end
return frame:expandTemplate{title = 'Template:' .. pargs[1], args = arguments}
end
return this
d8b891aad5c405bb237bd0a79d564ccb6b8e946b
Module:Message box
828
115
372
371
2022-08-31T12:55:57Z
YumaRowen
3
1 revision imported from [[:mw:Module:Message_box]]
Scribunto
text/plain
-- This is a meta-module for producing message box templates, including
-- {{mbox}}, {{ambox}}, {{imbox}}, {{tmbox}}, {{ombox}}, {{cmbox}} and {{fmbox}}.
-- Load necessary modules.
require('Module:No globals')
local getArgs
local yesno = require('Module:Yesno')
-- Get a language object for formatDate and ucfirst.
local lang = mw.language.getContentLanguage()
-- Define constants
local CONFIG_MODULE = 'Module:Message box/configuration'
local DEMOSPACES = {talk = 'tmbox', image = 'imbox', file = 'imbox', category = 'cmbox', article = 'ambox', main = 'ambox'}
local TEMPLATE_STYLES = 'Module:Message box/%s.css'
--------------------------------------------------------------------------------
-- Helper functions
--------------------------------------------------------------------------------
local function getTitleObject(...)
-- Get the title object, passing the function through pcall
-- in case we are over the expensive function count limit.
local success, title = pcall(mw.title.new, ...)
if success then
return title
end
end
local function union(t1, t2)
-- Returns the union of two arrays.
local vals = {}
for i, v in ipairs(t1) do
vals[v] = true
end
for i, v in ipairs(t2) do
vals[v] = true
end
local ret = {}
for k in pairs(vals) do
table.insert(ret, k)
end
table.sort(ret)
return ret
end
local function getArgNums(args, prefix)
local nums = {}
for k, v in pairs(args) do
local num = mw.ustring.match(tostring(k), '^' .. prefix .. '([1-9]%d*)$')
if num then
table.insert(nums, tonumber(num))
end
end
table.sort(nums)
return nums
end
--------------------------------------------------------------------------------
-- Box class definition
--------------------------------------------------------------------------------
local MessageBox = {}
MessageBox.__index = MessageBox
function MessageBox.new(boxType, args, cfg)
args = args or {}
local obj = {}
obj.boxType = boxType
-- Set the title object and the namespace.
obj.title = getTitleObject(args.page) or mw.title.getCurrentTitle()
-- Set the config for our box type.
obj.cfg = cfg[boxType]
if not obj.cfg then
local ns = obj.title.namespace
-- boxType is "mbox" or invalid input
if args.demospace and args.demospace ~= '' then
-- implement demospace parameter of mbox
local demospace = string.lower(args.demospace)
if DEMOSPACES[demospace] then
-- use template from DEMOSPACES
obj.cfg = cfg[DEMOSPACES[demospace]]
obj.boxType = DEMOSPACES[demospace]
elseif string.find( demospace, 'talk' ) then
-- demo as a talk page
obj.cfg = cfg.tmbox
obj.boxType = 'tmbox'
else
-- default to ombox
obj.cfg = cfg.ombox
obj.boxType = 'ombox'
end
elseif ns == 0 then
obj.cfg = cfg.ambox -- main namespace
obj.boxType = 'ambox'
elseif ns == 6 then
obj.cfg = cfg.imbox -- file namespace
obj.boxType = 'imbox'
elseif ns == 14 then
obj.cfg = cfg.cmbox -- category namespace
obj.boxType = 'cmbox'
else
local nsTable = mw.site.namespaces[ns]
if nsTable and nsTable.isTalk then
obj.cfg = cfg.tmbox -- any talk namespace
obj.boxType = 'tmbox'
else
obj.cfg = cfg.ombox -- other namespaces or invalid input
obj.boxType = 'ombox'
end
end
end
-- Set the arguments, and remove all blank arguments except for the ones
-- listed in cfg.allowBlankParams.
do
local newArgs = {}
for k, v in pairs(args) do
if v ~= '' then
newArgs[k] = v
end
end
for i, param in ipairs(obj.cfg.allowBlankParams or {}) do
newArgs[param] = args[param]
end
obj.args = newArgs
end
-- Define internal data structure.
obj.categories = {}
obj.classes = {}
-- For lazy loading of [[Module:Category handler]].
obj.hasCategories = false
return setmetatable(obj, MessageBox)
end
function MessageBox:addCat(ns, cat, sort)
if not cat then
return nil
end
if sort then
cat = string.format('[[Category:%s|%s]]', cat, sort)
else
cat = string.format('[[Category:%s]]', cat)
end
self.hasCategories = true
self.categories[ns] = self.categories[ns] or {}
table.insert(self.categories[ns], cat)
end
function MessageBox:addClass(class)
if not class then
return nil
end
table.insert(self.classes, class)
end
function MessageBox:setParameters()
local args = self.args
local cfg = self.cfg
-- Get type data.
self.type = args.type
local typeData = cfg.types[self.type]
self.invalidTypeError = cfg.showInvalidTypeError
and self.type
and not typeData
typeData = typeData or cfg.types[cfg.default]
self.typeClass = typeData.class
self.typeImage = typeData.image
-- Find if the box has been wrongly substituted.
self.isSubstituted = cfg.substCheck and args.subst == 'SUBST'
-- Find whether we are using a small message box.
self.isSmall = cfg.allowSmall and (
cfg.smallParam and args.small == cfg.smallParam
or not cfg.smallParam and yesno(args.small)
)
-- Add attributes, classes and styles.
self.id = args.id
self.name = args.name
if self.name then
self:addClass('box-' .. string.gsub(self.name,' ','_'))
end
if yesno(args.plainlinks) ~= false then
self:addClass('plainlinks')
end
for _, class in ipairs(cfg.classes or {}) do
self:addClass(class)
end
if self.isSmall then
self:addClass(cfg.smallClass or 'mbox-small')
end
self:addClass(self.typeClass)
self:addClass(args.class)
self.style = args.style
self.attrs = args.attrs
-- Set text style.
self.textstyle = args.textstyle
-- Find if we are on the template page or not. This functionality is only
-- used if useCollapsibleTextFields is set, or if both cfg.templateCategory
-- and cfg.templateCategoryRequireName are set.
self.useCollapsibleTextFields = cfg.useCollapsibleTextFields
if self.useCollapsibleTextFields
or cfg.templateCategory
and cfg.templateCategoryRequireName
then
if self.name then
local templateName = mw.ustring.match(
self.name,
'^[tT][eE][mM][pP][lL][aA][tT][eE][%s_]*:[%s_]*(.*)$'
) or self.name
templateName = 'Template:' .. templateName
self.templateTitle = getTitleObject(templateName)
end
self.isTemplatePage = self.templateTitle
and mw.title.equals(self.title, self.templateTitle)
end
-- Process data for collapsible text fields. At the moment these are only
-- used in {{ambox}}.
if self.useCollapsibleTextFields then
-- Get the self.issue value.
if self.isSmall and args.smalltext then
self.issue = args.smalltext
else
local sect
if args.sect == '' then
sect = 'This ' .. (cfg.sectionDefault or 'page')
elseif type(args.sect) == 'string' then
sect = 'This ' .. args.sect
end
local issue = args.issue
issue = type(issue) == 'string' and issue ~= '' and issue or nil
local text = args.text
text = type(text) == 'string' and text or nil
local issues = {}
table.insert(issues, sect)
table.insert(issues, issue)
table.insert(issues, text)
self.issue = table.concat(issues, ' ')
end
-- Get the self.talk value.
local talk = args.talk
-- Show talk links on the template page or template subpages if the talk
-- parameter is blank.
if talk == ''
and self.templateTitle
and (
mw.title.equals(self.templateTitle, self.title)
or self.title:isSubpageOf(self.templateTitle)
)
then
talk = '#'
elseif talk == '' then
talk = nil
end
if talk then
-- If the talk value is a talk page, make a link to that page. Else
-- assume that it's a section heading, and make a link to the talk
-- page of the current page with that section heading.
local talkTitle = getTitleObject(talk)
local talkArgIsTalkPage = true
if not talkTitle or not talkTitle.isTalkPage then
talkArgIsTalkPage = false
talkTitle = getTitleObject(
self.title.text,
mw.site.namespaces[self.title.namespace].talk.id
)
end
if talkTitle and talkTitle.exists then
local talkText = 'Relevant discussion may be found on'
if talkArgIsTalkPage then
talkText = string.format(
'%s [[%s|%s]].',
talkText,
talk,
talkTitle.prefixedText
)
else
talkText = string.format(
'%s the [[%s#%s|talk page]].',
talkText,
talkTitle.prefixedText,
talk
)
end
self.talk = talkText
end
end
-- Get other values.
self.fix = args.fix ~= '' and args.fix or nil
local date
if args.date and args.date ~= '' then
date = args.date
elseif args.date == '' and self.isTemplatePage then
date = lang:formatDate('F Y')
end
if date then
self.date = string.format(" <small class='date-container'>''(<span class='date'>%s</span>)''</small>", date)
end
self.info = args.info
if yesno(args.removalnotice) then
self.removalNotice = cfg.removalNotice
end
end
-- Set the non-collapsible text field. At the moment this is used by all box
-- types other than ambox, and also by ambox when small=yes.
if self.isSmall then
self.text = args.smalltext or args.text
else
self.text = args.text
end
-- Set the below row.
self.below = cfg.below and args.below
-- General image settings.
self.imageCellDiv = not self.isSmall and cfg.imageCellDiv
self.imageEmptyCell = cfg.imageEmptyCell
if cfg.imageEmptyCellStyle then
self.imageEmptyCellStyle = 'border:none;padding:0px;width:1px'
end
-- Left image settings.
local imageLeft = self.isSmall and args.smallimage or args.image
if cfg.imageCheckBlank and imageLeft ~= 'blank' and imageLeft ~= 'none'
or not cfg.imageCheckBlank and imageLeft ~= 'none'
then
self.imageLeft = imageLeft
if not imageLeft then
local imageSize = self.isSmall
and (cfg.imageSmallSize or '30x30px')
or '40x40px'
self.imageLeft = string.format('[[File:%s|%s|link=|alt=]]', self.typeImage
or 'Imbox notice.png', imageSize)
end
end
-- Right image settings.
local imageRight = self.isSmall and args.smallimageright or args.imageright
if not (cfg.imageRightNone and imageRight == 'none') then
self.imageRight = imageRight
end
end
function MessageBox:setMainspaceCategories()
local args = self.args
local cfg = self.cfg
if not cfg.allowMainspaceCategories then
return nil
end
local nums = {}
for _, prefix in ipairs{'cat', 'category', 'all'} do
args[prefix .. '1'] = args[prefix]
nums = union(nums, getArgNums(args, prefix))
end
-- The following is roughly equivalent to the old {{Ambox/category}}.
local date = args.date
date = type(date) == 'string' and date
local preposition = 'from'
for _, num in ipairs(nums) do
local mainCat = args['cat' .. tostring(num)]
or args['category' .. tostring(num)]
local allCat = args['all' .. tostring(num)]
mainCat = type(mainCat) == 'string' and mainCat
allCat = type(allCat) == 'string' and allCat
if mainCat and date and date ~= '' then
local catTitle = string.format('%s %s %s', mainCat, preposition, date)
self:addCat(0, catTitle)
catTitle = getTitleObject('Category:' .. catTitle)
if not catTitle or not catTitle.exists then
self:addCat(0, 'Articles with invalid date parameter in template')
end
elseif mainCat and (not date or date == '') then
self:addCat(0, mainCat)
end
if allCat then
self:addCat(0, allCat)
end
end
end
function MessageBox:setTemplateCategories()
local args = self.args
local cfg = self.cfg
-- Add template categories.
if cfg.templateCategory then
if cfg.templateCategoryRequireName then
if self.isTemplatePage then
self:addCat(10, cfg.templateCategory)
end
elseif not self.title.isSubpage then
self:addCat(10, cfg.templateCategory)
end
end
-- Add template error categories.
if cfg.templateErrorCategory then
local templateErrorCategory = cfg.templateErrorCategory
local templateCat, templateSort
if not self.name and not self.title.isSubpage then
templateCat = templateErrorCategory
elseif self.isTemplatePage then
local paramsToCheck = cfg.templateErrorParamsToCheck or {}
local count = 0
for i, param in ipairs(paramsToCheck) do
if not args[param] then
count = count + 1
end
end
if count > 0 then
templateCat = templateErrorCategory
templateSort = tostring(count)
end
if self.categoryNums and #self.categoryNums > 0 then
templateCat = templateErrorCategory
templateSort = 'C'
end
end
self:addCat(10, templateCat, templateSort)
end
end
function MessageBox:setAllNamespaceCategories()
-- Set categories for all namespaces.
if self.invalidTypeError then
local allSort = (self.title.namespace == 0 and 'Main:' or '') .. self.title.prefixedText
self:addCat('all', 'Wikipedia message box parameter needs fixing', allSort)
end
if self.isSubstituted then
self:addCat('all', 'Pages with incorrectly substituted templates')
end
end
function MessageBox:setCategories()
if self.title.namespace == 0 then
self:setMainspaceCategories()
elseif self.title.namespace == 10 then
self:setTemplateCategories()
end
self:setAllNamespaceCategories()
end
function MessageBox:renderCategories()
if not self.hasCategories then
-- No categories added, no need to pass them to Category handler so,
-- if it was invoked, it would return the empty string.
-- So we shortcut and return the empty string.
return ""
end
-- Convert category tables to strings and pass them through
-- [[Module:Category handler]].
return require('Module:Category handler')._main{
main = table.concat(self.categories[0] or {}),
template = table.concat(self.categories[10] or {}),
all = table.concat(self.categories.all or {}),
nocat = self.args.nocat,
page = self.args.page
}
end
function MessageBox:export()
local root = mw.html.create()
-- Add the subst check error.
if self.isSubstituted and self.name then
root:tag('b')
:addClass('error')
:wikitext(string.format(
'Template <code>%s[[Template:%s|%s]]%s</code> has been incorrectly substituted.',
mw.text.nowiki('{{'), self.name, self.name, mw.text.nowiki('}}')
))
end
-- Add TemplateStyles
root:wikitext(mw.getCurrentFrame():extensionTag{
name = 'templatestyles',
args = { src = TEMPLATE_STYLES:format(self.boxType) },
})
-- Create the box table.
local boxTable
-- Check for fmbox because not all interface messages have mw-parser-output
-- which is necessary for TemplateStyles. Add the wrapper class if it is and
-- then start the actual mbox, else start the mbox.
if self.boxType == 'fmbox' then
boxTable = root:tag('div')
:addClass('mw-parser-output')
:tag('table')
else
boxTable = root:tag('table')
end
boxTable:attr('id', self.id or nil)
for i, class in ipairs(self.classes or {}) do
boxTable:addClass(class or nil)
end
boxTable
:cssText(self.style or nil)
:attr('role', 'presentation')
if self.attrs then
boxTable:attr(self.attrs)
end
-- Add the left-hand image.
local row = boxTable:tag('tr')
if self.imageLeft then
local imageLeftCell = row:tag('td'):addClass('mbox-image')
if self.imageCellDiv then
-- If we are using a div, redefine imageLeftCell so that the image
-- is inside it. Divs use style="width: 52px;", which limits the
-- image width to 52px. If any images in a div are wider than that,
-- they may overlap with the text or cause other display problems.
imageLeftCell = imageLeftCell:tag('div'):css('width', '52px')
end
imageLeftCell:wikitext(self.imageLeft or nil)
elseif self.imageEmptyCell then
-- Some message boxes define an empty cell if no image is specified, and
-- some don't. The old template code in templates where empty cells are
-- specified gives the following hint: "No image. Cell with some width
-- or padding necessary for text cell to have 100% width."
row:tag('td')
:addClass('mbox-empty-cell')
:cssText(self.imageEmptyCellStyle or nil)
end
-- Add the text.
local textCell = row:tag('td'):addClass('mbox-text')
if self.useCollapsibleTextFields then
-- The message box uses advanced text parameters that allow things to be
-- collapsible. At the moment, only ambox uses this.
textCell:cssText(self.textstyle or nil)
local textCellDiv = textCell:tag('div')
textCellDiv
:addClass('mbox-text-span')
:wikitext(self.issue or nil)
if (self.talk or self.fix) and not self.isSmall then
textCellDiv:tag('span')
:addClass('hide-when-compact')
:wikitext(self.talk and (' ' .. self.talk) or nil)
:wikitext(self.fix and (' ' .. self.fix) or nil)
end
textCellDiv:wikitext(self.date and (' ' .. self.date) or nil)
if self.info and not self.isSmall then
textCellDiv
:tag('span')
:addClass('hide-when-compact')
:wikitext(self.info and (' ' .. self.info) or nil)
end
if self.removalNotice then
textCellDiv:tag('small')
:addClass('hide-when-compact')
:tag('i')
:wikitext(string.format(" (%s)", self.removalNotice))
end
else
-- Default text formatting - anything goes.
textCell
:cssText(self.textstyle or nil)
:wikitext(self.text or nil)
end
-- Add the right-hand image.
if self.imageRight then
local imageRightCell = row:tag('td'):addClass('mbox-imageright')
if self.imageCellDiv then
-- If we are using a div, redefine imageRightCell so that the image
-- is inside it.
imageRightCell = imageRightCell:tag('div'):css('width', '52px')
end
imageRightCell
:wikitext(self.imageRight or nil)
end
-- Add the below row.
if self.below then
boxTable:tag('tr')
:tag('td')
:attr('colspan', self.imageRight and '3' or '2')
:addClass('mbox-text')
:cssText(self.textstyle or nil)
:wikitext(self.below or nil)
end
-- Add error message for invalid type parameters.
if self.invalidTypeError then
root:tag('div')
:css('text-align', 'center')
:wikitext(string.format(
'This message box is using an invalid "type=%s" parameter and needs fixing.',
self.type or ''
))
end
-- Add categories.
root:wikitext(self:renderCategories() or nil)
return tostring(root)
end
--------------------------------------------------------------------------------
-- Exports
--------------------------------------------------------------------------------
local p, mt = {}, {}
function p._exportClasses()
-- For testing.
return {
MessageBox = MessageBox
}
end
function p.main(boxType, args, cfgTables)
local box = MessageBox.new(boxType, args, cfgTables or mw.loadData(CONFIG_MODULE))
box:setParameters()
box:setCategories()
return box:export()
end
function mt.__index(t, k)
return function (frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
return t.main(k, getArgs(frame, {trim = false, removeBlanks = false}))
end
end
return setmetatable(p, mt)
f117c975d2463d94d71936190eebeee08f939c96
Module:No globals
828
116
374
373
2022-08-31T12:55:57Z
YumaRowen
3
1 revision imported from [[:mw:Module:No_globals]]
Scribunto
text/plain
local mt = getmetatable(_G) or {}
function mt.__index (t, k)
if k ~= 'arg' then
-- perf optimization here and below: do not load Module:TNT unless there is an error
error(require('Module:TNT').format('I18n/No globals', 'err-read', tostring(k)), 2)
end
return nil
end
function mt.__newindex(t, k, v)
if k ~= 'arg' then
error(require('Module:TNT').format('I18n/No globals', 'err-write', tostring(k)), 2)
end
rawset(t, k, v)
end
setmetatable(_G, mt)
efcb47c74e7e2bb9a4ad8764d99a0afce8fed410
Module:Arguments
828
118
378
377
2022-08-31T12:55:59Z
YumaRowen
3
1 revision imported from [[:mw:Module:Arguments]]
Scribunto
text/plain
-- This module provides easy processing of arguments passed to Scribunto from
-- #invoke. It is intended for use by other Lua modules, and should not be
-- called from #invoke directly.
local libraryUtil = require('libraryUtil')
local checkType = libraryUtil.checkType
local arguments = {}
-- Generate four different tidyVal functions, so that we don't have to check the
-- options every time we call it.
local function tidyValDefault(key, val)
if type(val) == 'string' then
val = val:match('^%s*(.-)%s*$')
if val == '' then
return nil
else
return val
end
else
return val
end
end
local function tidyValTrimOnly(key, val)
if type(val) == 'string' then
return val:match('^%s*(.-)%s*$')
else
return val
end
end
local function tidyValRemoveBlanksOnly(key, val)
if type(val) == 'string' then
if val:find('%S') then
return val
else
return nil
end
else
return val
end
end
local function tidyValNoChange(key, val)
return val
end
local function matchesTitle(given, title)
local tp = type( given )
return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title
end
local translate_mt = { __index = function(t, k) return k end }
function arguments.getArgs(frame, options)
checkType('getArgs', 1, frame, 'table', true)
checkType('getArgs', 2, options, 'table', true)
frame = frame or {}
options = options or {}
--[[
-- Set up argument translation.
--]]
options.translate = options.translate or {}
if getmetatable(options.translate) == nil then
setmetatable(options.translate, translate_mt)
end
if options.backtranslate == nil then
options.backtranslate = {}
for k,v in pairs(options.translate) do
options.backtranslate[v] = k
end
end
if options.backtranslate and getmetatable(options.backtranslate) == nil then
setmetatable(options.backtranslate, {
__index = function(t, k)
if options.translate[k] ~= k then
return nil
else
return k
end
end
})
end
--[[
-- Get the argument tables. If we were passed a valid frame object, get the
-- frame arguments (fargs) and the parent frame arguments (pargs), depending
-- on the options set and on the parent frame's availability. If we weren't
-- passed a valid frame object, we are being called from another Lua module
-- or from the debug console, so assume that we were passed a table of args
-- directly, and assign it to a new variable (luaArgs).
--]]
local fargs, pargs, luaArgs
if type(frame.args) == 'table' and type(frame.getParent) == 'function' then
if options.wrappers then
--[[
-- The wrappers option makes Module:Arguments look up arguments in
-- either the frame argument table or the parent argument table, but
-- not both. This means that users can use either the #invoke syntax
-- or a wrapper template without the loss of performance associated
-- with looking arguments up in both the frame and the parent frame.
-- Module:Arguments will look up arguments in the parent frame
-- if it finds the parent frame's title in options.wrapper;
-- otherwise it will look up arguments in the frame object passed
-- to getArgs.
--]]
local parent = frame:getParent()
if not parent then
fargs = frame.args
else
local title = parent:getTitle():gsub('/sandbox$', '')
local found = false
if matchesTitle(options.wrappers, title) then
found = true
elseif type(options.wrappers) == 'table' then
for _,v in pairs(options.wrappers) do
if matchesTitle(v, title) then
found = true
break
end
end
end
-- We test for false specifically here so that nil (the default) acts like true.
if found or options.frameOnly == false then
pargs = parent.args
end
if not found or options.parentOnly == false then
fargs = frame.args
end
end
else
-- options.wrapper isn't set, so check the other options.
if not options.parentOnly then
fargs = frame.args
end
if not options.frameOnly then
local parent = frame:getParent()
pargs = parent and parent.args or nil
end
end
if options.parentFirst then
fargs, pargs = pargs, fargs
end
else
luaArgs = frame
end
-- Set the order of precedence of the argument tables. If the variables are
-- nil, nothing will be added to the table, which is how we avoid clashes
-- between the frame/parent args and the Lua args.
local argTables = {fargs}
argTables[#argTables + 1] = pargs
argTables[#argTables + 1] = luaArgs
--[[
-- Generate the tidyVal function. If it has been specified by the user, we
-- use that; if not, we choose one of four functions depending on the
-- options chosen. This is so that we don't have to call the options table
-- every time the function is called.
--]]
local tidyVal = options.valueFunc
if tidyVal then
if type(tidyVal) ~= 'function' then
error(
"bad value assigned to option 'valueFunc'"
.. '(function expected, got '
.. type(tidyVal)
.. ')',
2
)
end
elseif options.trim ~= false then
if options.removeBlanks ~= false then
tidyVal = tidyValDefault
else
tidyVal = tidyValTrimOnly
end
else
if options.removeBlanks ~= false then
tidyVal = tidyValRemoveBlanksOnly
else
tidyVal = tidyValNoChange
end
end
--[[
-- Set up the args, metaArgs and nilArgs tables. args will be the one
-- accessed from functions, and metaArgs will hold the actual arguments. Nil
-- arguments are memoized in nilArgs, and the metatable connects all of them
-- together.
--]]
local args, metaArgs, nilArgs, metatable = {}, {}, {}, {}
setmetatable(args, metatable)
local function mergeArgs(tables)
--[[
-- Accepts multiple tables as input and merges their keys and values
-- into one table. If a value is already present it is not overwritten;
-- tables listed earlier have precedence. We are also memoizing nil
-- values, which can be overwritten if they are 's' (soft).
--]]
for _, t in ipairs(tables) do
for key, val in pairs(t) do
if metaArgs[key] == nil and nilArgs[key] ~= 'h' then
local tidiedVal = tidyVal(key, val)
if tidiedVal == nil then
nilArgs[key] = 's'
else
metaArgs[key] = tidiedVal
end
end
end
end
end
--[[
-- Define metatable behaviour. Arguments are memoized in the metaArgs table,
-- and are only fetched from the argument tables once. Fetching arguments
-- from the argument tables is the most resource-intensive step in this
-- module, so we try and avoid it where possible. For this reason, nil
-- arguments are also memoized, in the nilArgs table. Also, we keep a record
-- in the metatable of when pairs and ipairs have been called, so we do not
-- run pairs and ipairs on the argument tables more than once. We also do
-- not run ipairs on fargs and pargs if pairs has already been run, as all
-- the arguments will already have been copied over.
--]]
metatable.__index = function (t, key)
--[[
-- Fetches an argument when the args table is indexed. First we check
-- to see if the value is memoized, and if not we try and fetch it from
-- the argument tables. When we check memoization, we need to check
-- metaArgs before nilArgs, as both can be non-nil at the same time.
-- If the argument is not present in metaArgs, we also check whether
-- pairs has been run yet. If pairs has already been run, we return nil.
-- This is because all the arguments will have already been copied into
-- metaArgs by the mergeArgs function, meaning that any other arguments
-- must be nil.
--]]
if type(key) == 'string' then
key = options.translate[key]
end
local val = metaArgs[key]
if val ~= nil then
return val
elseif metatable.donePairs or nilArgs[key] then
return nil
end
for _, argTable in ipairs(argTables) do
local argTableVal = tidyVal(key, argTable[key])
if argTableVal ~= nil then
metaArgs[key] = argTableVal
return argTableVal
end
end
nilArgs[key] = 'h'
return nil
end
metatable.__newindex = function (t, key, val)
-- This function is called when a module tries to add a new value to the
-- args table, or tries to change an existing value.
if type(key) == 'string' then
key = options.translate[key]
end
if options.readOnly then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; the table is read-only',
2
)
elseif options.noOverwrite and args[key] ~= nil then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; overwriting existing arguments is not permitted',
2
)
elseif val == nil then
--[[
-- If the argument is to be overwritten with nil, we need to erase
-- the value in metaArgs, so that __index, __pairs and __ipairs do
-- not use a previous existing value, if present; and we also need
-- to memoize the nil in nilArgs, so that the value isn't looked
-- up in the argument tables if it is accessed again.
--]]
metaArgs[key] = nil
nilArgs[key] = 'h'
else
metaArgs[key] = val
end
end
local function translatenext(invariant)
local k, v = next(invariant.t, invariant.k)
invariant.k = k
if k == nil then
return nil
elseif type(k) ~= 'string' or not options.backtranslate then
return k, v
else
local backtranslate = options.backtranslate[k]
if backtranslate == nil then
-- Skip this one. This is a tail call, so this won't cause stack overflow
return translatenext(invariant)
else
return backtranslate, v
end
end
end
metatable.__pairs = function ()
-- Called when pairs is run on the args table.
if not metatable.donePairs then
mergeArgs(argTables)
metatable.donePairs = true
end
return translatenext, { t = metaArgs }
end
local function inext(t, i)
-- This uses our __index metamethod
local v = t[i + 1]
if v ~= nil then
return i + 1, v
end
end
metatable.__ipairs = function (t)
-- Called when ipairs is run on the args table.
return inext, t, 0
end
return args
end
return arguments
3134ecce8429b810d445e29eae115e2ae4c36c53
Module:Message box/configuration
828
119
380
379
2022-08-31T12:55:59Z
YumaRowen
3
1 revision imported from [[:mw:Module:Message_box/configuration]]
Scribunto
text/plain
--------------------------------------------------------------------------------
-- Message box configuration --
-- --
-- This module contains configuration data for [[Module:Message box]]. --
--------------------------------------------------------------------------------
return {
ambox = {
types = {
speedy = {
class = 'ambox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ambox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ambox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ambox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ambox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ambox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
allowBlankParams = {'talk', 'sect', 'date', 'issue', 'fix', 'subst', 'hidden'},
allowSmall = true,
smallParam = 'left',
smallClass = 'mbox-small-left',
substCheck = true,
classes = {'metadata', 'plainlinks', 'ambox'},
imageEmptyCell = true,
imageCheckBlank = true,
imageSmallSize = '20x20px',
imageCellDiv = true,
useCollapsibleTextFields = true,
imageRightNone = true,
sectionDefault = 'article',
allowMainspaceCategories = true,
templateCategory = 'Article message templates',
templateCategoryRequireName = true,
templateErrorCategory = nil,
templateErrorParamsToCheck = {'issue', 'fix', 'subst'}
},
cmbox = {
types = {
speedy = {
class = 'cmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'cmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'cmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'cmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'cmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'cmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'cmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
caution = {
class = 'cmbox-style',
image = 'Ambox warning yellow.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'cmbox'},
imageEmptyCell = true
},
fmbox = {
types = {
warning = {
class = 'fmbox-warning',
image = 'OOjs UI icon clock-destructive.svg'
},
editnotice = {
class = 'fmbox-editnotice',
image = 'OOjs UI icon information-progressive.svg'
},
system = {
class = 'fmbox-system',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'system',
showInvalidTypeError = true,
classes = {'plainlinks', 'fmbox'},
imageEmptyCell = false,
imageRightNone = false
},
imbox = {
types = {
speedy = {
class = 'imbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'imbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'imbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'imbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'imbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'imbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
license = {
class = 'imbox-license licensetpl',
image = 'Imbox license.png' -- @todo We need an SVG version of this
},
featured = {
class = 'imbox-featured',
image = 'Cscr-featured.svg'
},
notice = {
class = 'imbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'imbox'},
usePlainlinksParam = true,
imageEmptyCell = true,
below = true,
templateCategory = 'File message boxes'
},
ombox = {
types = {
speedy = {
class = 'ombox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ombox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ombox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ombox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ombox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ombox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
critical = {
class = 'mbox-critical',
image = 'OOjs UI icon clock-destructive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'ombox'},
allowSmall = true,
imageEmptyCell = true,
imageRightNone = true
},
tmbox = {
types = {
speedy = {
class = 'tmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'tmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'tmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'tmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'tmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'tmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'tmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'tmbox'},
allowSmall = true,
imageRightNone = true,
imageEmptyCell = true,
imageEmptyCellStyle = true,
templateCategory = 'Talk message boxes'
}
}
d8cf419a57983f67944903d17535c0ee0780ceb6
Template:Documentation
10
120
382
381
2022-08-31T12:56:00Z
YumaRowen
3
1 revision imported from [[:mw:Template:Documentation]]
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude><includeonly>{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}</includeonly><noinclude>
{{documentation|content=
{{Lua|Module:Documentation}}
<translate><!--T:12--> This template automatically displays a documentation box like the one you are seeing now, of which the content is sometimes transcluded from another page.</translate>
<translate><!--T:13--> It is intended for pages which are [[<tvar name=1>Special:MyLanguage/Help:Transclusion</tvar>|transcluded]] in other pages, i.e. templates, whether in the template namespace or not.</translate>
<translate>
==Usage== <!--T:2-->
===Customizing display=== <!--T:3-->
<!--T:4-->
Overrides exist to customize the output in special cases:
</translate>
* <nowiki>{{</nowiki>documentation{{!}}'''heading'''=<nowiki>}}</nowiki> - <translate><!--T:5--> change the text of the "documentation" heading.</translate> <translate><!--T:10--> If this is set to blank, the entire heading line (including the first [edit] link) will also disappear.</translate>
<translate>
==Rationale== <!--T:6-->
</translate>
<translate><!--T:7--> This template allows any page to use any documentation page, and makes it possible to protect templates while allowing anyone to edit the template's documentation and categories.</translate>
<translate><!--T:8--> It also reduces server resources by circumventing a [[w:Wikipedia:Template limits|technical limitation of templates]] (see a [[<tvar name=1>:en:Special:Diff/69888944</tvar>|developer's explanation]]).</translate>
<translate>
==See also== <!--T:9-->
</translate>
* <translate><!--T:14--> [[w:Template:Documentation subpage]]</translate>
* {{tim|Documentation}}
* <translate><!--T:11--> [[w:Wikipedia:Template documentation]]</translate>
}}
[[Category:Formatting templates{{#translation:}}|Template documentation]]
[[Category:Template documentation{{#translation:}}| ]]
</noinclude><includeonly>{{#if:{{{content|}}}|
[[Category:Template documentation pages{{#translation:}}]]
}}</includeonly>
e9a25c87d40f5882dd425c83ed4d3be628082f3c
Template:Documentation/en
10
121
384
383
2022-08-31T12:56:00Z
YumaRowen
3
1 revision imported from [[:mw:Template:Documentation/en]]
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude><includeonly>{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}</includeonly><noinclude>
{{documentation|content=
{{Lua|Module:Documentation}}
This template automatically displays a documentation box like the one you are seeing now, of which the content is sometimes transcluded from another page.
It is intended for pages which are [[Special:MyLanguage/Help:Transclusion|transcluded]] in other pages, i.e. templates, whether in the template namespace or not.
==Usage==
===Customizing display===
Overrides exist to customize the output in special cases:
* <nowiki>{{</nowiki>documentation{{!}}'''heading'''=<nowiki>}}</nowiki> - change the text of the "documentation" heading. If this is set to blank, the entire heading line (including the first [edit] link) will also disappear.
==Rationale==
This template allows any page to use any documentation page, and makes it possible to protect templates while allowing anyone to edit the template's documentation and categories.
It also reduces server resources by circumventing a [[w:Wikipedia:Template limits|technical limitation of templates]] (see a [[:en:Special:Diff/69888944|developer's explanation]]).
==See also==
* [[w:Template:Documentation subpage]]
* {{tim|Documentation}}
* [[w:Wikipedia:Template documentation]]
}}
[[Category:Formatting templates{{#translation:}}|Template documentation]]
[[Category:Template documentation{{#translation:}}| ]]
</noinclude><includeonly>{{#if:{{{content|}}}|
[[Category:Template documentation pages{{#translation:}}]]
}}</includeonly>
ea09a0702078c03b055fa66d2628126da3e3c062
Template:Documentation subpage
10
122
386
385
2022-08-31T12:56:01Z
YumaRowen
3
1 revision imported from [[:mw:Template:Documentation_subpage]]
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude>{{#switch:<translate></translate>
| =
<includeonly><!--
-->{{#if:{{IsDocSubpage|override={{{override|doc}}}|false=}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:OOjs UI icon book-ltr.svg|40px|alt=|link=]]
| text =
'''<translate><!--T:4--> This is a [[w:Wikipedia:Template documentation|documentation]] [[<tvar name=2>Special:MyLanguage/Help:Subpages</tvar>|subpage]] for <tvar name=1>{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}</tvar>.</translate>'''<br /><!--
-->{{#if:{{{text2|}}}{{{text1|}}}
|<translate><!--T:5--> It contains usage information, [[<tvar name=7>Special:MyLanguage/Help:Categories</tvar>|categories]] and other content that is not part of the original <tvar name=1>{{{text2|{{{text1}}}}}}</tvar>.</translate>
|<translate><!--T:10--> It contains usage information, [[<tvar name=7>Special:MyLanguage/Help:Categories</tvar>|categories]] and other content that is not part of the original <tvar name=1>{{SUBJECTSPACE}}</tvar> page.</translate>
}}
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}}
| Template | Project = Template
| Module = Module
| User = User
| #default = MediaWiki
}} documentation pages{{#translation:}}]]
| [[Category:Documentation subpages without corresponding pages{{#translation:}}]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:Documentation subpage|noshift=1|uselang={{int:lang}}}}
}}<noinclude>
{{Documentation|content=
<translate>
== Usage == <!--T:6-->
<!--T:7-->
Use this template on Template Documentation subpage (/doc).
== See also == <!--T:8-->
</translate>
*{{tl|Documentation}}
*{{tl|tl}}
}}
</noinclude>
0d6a10a903dbd572fffeb01aff5983d9b3abc65c
Template:Documentation subpage/en
10
123
388
387
2022-08-31T12:56:02Z
YumaRowen
3
1 revision imported from [[:mw:Template:Documentation_subpage/en]]
wikitext
text/x-wiki
<noinclude>
<languages/>
</noinclude>{{#switch:
| =
<includeonly><!--
-->{{#if:{{IsDocSubpage|override={{{override|doc}}}|false=}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:OOjs UI icon book-ltr.svg|40px|alt=|link=]]
| text =
'''This is a [[w:Wikipedia:Template documentation|documentation]] [[Special:MyLanguage/Help:Subpages|subpage]] for {{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}.'''<br /><!--
-->{{#if:{{{text2|}}}{{{text1|}}}
|It contains usage information, [[Special:MyLanguage/Help:Categories|categories]] and other content that is not part of the original {{{text2|{{{text1}}}}}}.
|It contains usage information, [[Special:MyLanguage/Help:Categories|categories]] and other content that is not part of the original {{SUBJECTSPACE}} page.
}}
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}}
| Template | Project = Template
| Module = Module
| User = User
| #default = MediaWiki
}} documentation pages{{#translation:}}]]
| [[Category:Documentation subpages without corresponding pages{{#translation:}}]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:Documentation subpage|noshift=1|uselang={{int:lang}}}}
}}<noinclude>
{{Documentation|content=
== Usage ==
Use this template on Template Documentation subpage (/doc).
== See also ==
*{{tl|Documentation}}
*{{tl|tl}}
}}
</noinclude>
7ed5cbfd5118b37933b2c38487c1ab00f969bf46
Template:IsDocSubpage
10
124
390
389
2022-08-31T12:56:02Z
YumaRowen
3
1 revision imported from [[:mw:Template:IsDocSubpage]]
wikitext
text/x-wiki
<onlyinclude><includeonly>{{#ifexpr: (
{{#ifeq:{{lc:{{SUBPAGENAME}}}}|{{lc:{{{override|doc}}}}}|1|0}} or (
{{#ifeq:{{lc:{{#titleparts:{{FULLPAGENAME}}|-1|-2}}}}|{{lc:{{{override|doc}}}}}|1|0}}
and {{#if:{{#translation:}}|1|0}}
)
)<!--
-->|{{{true|1}}}<!--
-->|{{{false|}}}<!--
-->}}</includeonly></onlyinclude>
{{Documentation}}
<!-- Add categories to the /doc subpage and interwikis in Wikidata, not here! -->
47b5d5a2fb89240a721f8874924170f791de93b2
Template:TemplateData header
10
125
392
391
2022-08-31T12:56:04Z
YumaRowen
3
1 revision imported from [[:mw:Template:TemplateData_header]]
wikitext
text/x-wiki
<noinclude>
<languages/>
<onlyinclude>{{#switch:<translate></translate>
|=
<div class="templatedata-header"><!--
-->{{#if:{{yesno|{{{editlinks|}}}}}<!--
-->|{{#ifexpr:<!--
-->{{#if:{{{docpage|}}}<!--
-->|{{#ifeq:{{FULLPAGENAME}}|{{transclude|{{{docpage}}}}}|0|1}}<!--
-->|not{{IsDocSubpage|false=0}}<!--
-->}}<!--
-->|{{Navbar|{{{docpage|{{BASEPAGENAME}}/doc}}}|plain=1|brackets=1|style=float:{{dir|{{PAGELANGUAGE}}|left|right}};}}<!--
-->}}<!--
-->}}
{{#if:{{{noheader|}}}||<translate><!--T:1--> This is the [[<tvar name=1>Special:MyLanguage/Help:TemplateData</tvar>|TemplateData]] documentation for this template used by [[<tvar name=2>Special:MyLanguage/VisualEditor</tvar>|VisualEditor]] and other tools.</translate>}}
'''{{{1|{{BASEPAGENAME}}}}}'''
</div><includeonly>{{#ifeq:{{SUBPAGENAME}}|sandbox|<!--
-->|{{#if:{{IsDocSubpage|false=}}<!--
-->|[[Category:TemplateData documentation{{#translation:}}]]<!--
-->|[[Category:Templates using TemplateData{{#translation:}}]]<!--
-->}}<!--
-->}}</includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:TemplateData header|noshift=1|uselang={{#if:{{pagelang}}|{{pagelang}}|{{int:lang}}}}}}
}}</onlyinclude>
{{Documentation|content=
Inserts a brief header for the template data section. Adds the /doc subpage to [[:Category:TemplateData documentation{{#translation:}}]] and the template page to [[:Category:Templates using TemplateData{{#translation:}}]].
== Usage ==
{{#tag:syntaxhighlight|
==TemplateData== or ==Parameters== or ==Usage==
{{((}}TemplateData header{{))}}
{{^(}}templatedata{{)^}}{
...
}{{^(}}/templatedata{{)^}}
|lang=html
}}
Use <code><nowiki>{{TemplateData header|Template name}}</nowiki></code> to display a name for the template other than the default, which is [[Help:Magic_words#Variables|<nowiki>{{BASEPAGENAME}}</nowiki>]].
<dl><dd>
{{TemplateData header|Template name}}
</dd></dl>
Use <code><nowiki>{{TemplateData header|noheader=1}}</nowiki></code> to omit the first sentence of the header text.
<dl><dd>
{{TemplateData header|noheader=1}}
</dd></dl>
==Parameters==
{{TemplateData header/doc}}
}}
</noinclude>
adcf50c8d3c870a44b190116c53a975926dc17d8
Template:TemplateData header/en
10
126
394
393
2022-08-31T12:56:05Z
YumaRowen
3
1 revision imported from [[:mw:Template:TemplateData_header/en]]
wikitext
text/x-wiki
<noinclude>
<languages/>
<onlyinclude>{{#switch:
|=
<div class="templatedata-header"><!--
-->{{#if:{{yesno|{{{editlinks|}}}}}<!--
-->|{{#ifexpr:<!--
-->{{#if:{{{docpage|}}}<!--
-->|{{#ifeq:{{FULLPAGENAME}}|{{transclude|{{{docpage}}}}}|0|1}}<!--
-->|not{{IsDocSubpage|false=0}}<!--
-->}}<!--
-->|{{Navbar|{{{docpage|{{BASEPAGENAME}}/doc}}}|plain=1|brackets=1|style=float:{{dir|{{PAGELANGUAGE}}|left|right}};}}<!--
-->}}<!--
-->}}
{{#if:{{{noheader|}}}||This is the [[Special:MyLanguage/Help:TemplateData|TemplateData]] documentation for this template used by [[Special:MyLanguage/VisualEditor|VisualEditor]] and other tools.}}
'''{{{1|{{BASEPAGENAME}}}}}'''
</div><includeonly>{{#ifeq:{{SUBPAGENAME}}|sandbox|<!--
-->|{{#if:{{IsDocSubpage|false=}}<!--
-->|[[Category:TemplateData documentation{{#translation:}}]]<!--
-->|[[Category:Templates using TemplateData{{#translation:}}]]<!--
-->}}<!--
-->}}</includeonly>
| #default=
{{#invoke:Template translation|renderTranslatedTemplate|template=Template:TemplateData header|noshift=1|uselang={{#if:{{pagelang}}|{{pagelang}}|{{int:lang}}}}}}
}}</onlyinclude>
{{Documentation|content=
Inserts a brief header for the template data section. Adds the /doc subpage to [[:Category:TemplateData documentation{{#translation:}}]] and the template page to [[:Category:Templates using TemplateData{{#translation:}}]].
== Usage ==
{{#tag:syntaxhighlight|
==TemplateData== or ==Parameters== or ==Usage==
{{((}}TemplateData header{{))}}
{{^(}}templatedata{{)^}}{
...
}{{^(}}/templatedata{{)^}}
|lang=html
}}
Use <code><nowiki>{{TemplateData header|Template name}}</nowiki></code> to display a name for the template other than the default, which is [[Help:Magic_words#Variables|<nowiki>{{BASEPAGENAME}}</nowiki>]].
<dl><dd>
{{TemplateData header|Template name}}
</dd></dl>
Use <code><nowiki>{{TemplateData header|noheader=1}}</nowiki></code> to omit the first sentence of the header text.
<dl><dd>
{{TemplateData header|noheader=1}}
</dd></dl>
==Parameters==
{{TemplateData header/doc}}
}}
</noinclude>
dce30fc2e3f9848db82a3e0290f65f2d61e1c5ed
Template:Sandbox other
10
128
398
397
2022-08-31T12:56:06Z
YumaRowen
3
1 revision imported from [[:mw:Template:Sandbox_other]]
wikitext
text/x-wiki
<onlyinclude>{{#switch:{{SUBPAGENAME}}|sandbox|doc={{{1|}}}|#default={{{2|}}}}}</onlyinclude>
{{documentation}}
44919af6b57ac865d8ec53eabfcb2cb9de35f157
Module:Documentation
828
129
400
399
2022-08-31T12:56:06Z
YumaRowen
3
1 revision imported from [[:mw:Module:Documentation]]
Scribunto
text/plain
-- This module implements {{documentation}}.
-- Get required modules.
local getArgs = require('Module:Arguments').getArgs
local messageBox = require('Module:Message box')
-- Get the config table.
local cfg = mw.loadData('Module:Documentation/config')
local i18n = mw.loadData('Module:Documentation/i18n')
local p = {}
-- Often-used functions.
local ugsub = mw.ustring.gsub
----------------------------------------------------------------------------
-- Helper functions
--
-- These are defined as local functions, but are made available in the p
-- table for testing purposes.
----------------------------------------------------------------------------
local function message(cfgKey, valArray, expectType)
--[[
-- Gets a message from the cfg table and formats it if appropriate.
-- The function raises an error if the value from the cfg table is not
-- of the type expectType. The default type for expectType is 'string'.
-- If the table valArray is present, strings such as $1, $2 etc. in the
-- message are substituted with values from the table keys [1], [2] etc.
-- For example, if the message "foo-message" had the value 'Foo $2 bar $1.',
-- message('foo-message', {'baz', 'qux'}) would return "Foo qux bar baz."
--]]
local msg = cfg[cfgKey]
expectType = expectType or 'string'
if type(msg) ~= expectType then
error(require('Module:TNT').format('I18n/Documentation', 'cfg-error-msg-type', cfgKey, expectType, type(msg)), 2)
end
if not valArray then
return msg
end
local function getMessageVal(match)
match = tonumber(match)
return valArray[match] or error(require('Module:TNT').format('I18n/Documentation', 'cfg-error-msg-empty', '$' .. match, cfgKey), 4)
end
local ret = ugsub(msg, '$([1-9][0-9]*)', getMessageVal)
return ret
end
p.message = message
local function makeWikilink(page, display)
if display then
return mw.ustring.format('[[%s|%s]]', page, display)
else
return mw.ustring.format('[[%s]]', page)
end
end
p.makeWikilink = makeWikilink
local function makeCategoryLink(cat, sort)
local catns = mw.site.namespaces[14].name
return makeWikilink(catns .. ':' .. cat, sort)
end
p.makeCategoryLink = makeCategoryLink
local function makeUrlLink(url, display)
return mw.ustring.format('[%s %s]', url, display)
end
p.makeUrlLink = makeUrlLink
local function makeToolbar(...)
local ret = {}
local lim = select('#', ...)
if lim < 1 then
return nil
end
for i = 1, lim do
ret[#ret + 1] = select(i, ...)
end
return '<small style="font-style: normal;">(' .. table.concat(ret, ' | ') .. ')</small>'
end
p.makeToolbar = makeToolbar
----------------------------------------------------------------------------
-- Argument processing
----------------------------------------------------------------------------
local function makeInvokeFunc(funcName)
return function (frame)
local args = getArgs(frame, {
valueFunc = function (key, value)
if type(value) == 'string' then
value = value:match('^%s*(.-)%s*$') -- Remove whitespace.
if key == 'heading' or value ~= '' then
return value
else
return nil
end
else
return value
end
end
})
return p[funcName](args)
end
end
----------------------------------------------------------------------------
-- Load TemplateStyles
----------------------------------------------------------------------------
p.main = function(frame)
local parent = frame.getParent(frame)
local output = p._main(parent.args)
return frame:extensionTag{ name='templatestyles', args = { src= message('templatestyles-scr') } } .. output
end
----------------------------------------------------------------------------
-- Main function
----------------------------------------------------------------------------
function p._main(args)
--[[
-- This function defines logic flow for the module.
-- @args - table of arguments passed by the user
--
-- Messages:
-- 'main-div-id' --> 'template-documentation'
-- 'main-div-classes' --> 'template-documentation iezoomfix'
--]]
local env = p.getEnvironment(args)
local root = mw.html.create()
root
:wikitext(p.protectionTemplate(env))
:wikitext(p.sandboxNotice(args, env))
-- This div tag is from {{documentation/start box}}, but moving it here
-- so that we don't have to worry about unclosed tags.
:tag('div')
:attr('id', message('main-div-id'))
:addClass(message('main-div-class'))
:wikitext(p._startBox(args, env))
:wikitext(p._content(args, env))
:done()
:wikitext(p._endBox(args, env))
:wikitext(p.addTrackingCategories(env))
return tostring(root)
end
----------------------------------------------------------------------------
-- Environment settings
----------------------------------------------------------------------------
function p.getEnvironment(args)
--[[
-- Returns a table with information about the environment, including title objects and other namespace- or
-- path-related data.
-- @args - table of arguments passed by the user
--
-- Title objects include:
-- env.title - the page we are making documentation for (usually the current title)
-- env.templateTitle - the template (or module, file, etc.)
-- env.docTitle - the /doc subpage.
-- env.sandboxTitle - the /sandbox subpage.
-- env.testcasesTitle - the /testcases subpage.
-- env.printTitle - the print version of the template, located at the /Print subpage.
--
-- Data includes:
-- env.protectionLevels - the protection levels table of the title object.
-- env.subjectSpace - the number of the title's subject namespace.
-- env.docSpace - the number of the namespace the title puts its documentation in.
-- env.docpageBase - the text of the base page of the /doc, /sandbox and /testcases pages, with namespace.
-- env.compareUrl - URL of the Special:ComparePages page comparing the sandbox with the template.
--
-- All table lookups are passed through pcall so that errors are caught. If an error occurs, the value
-- returned will be nil.
--]]
local env, envFuncs = {}, {}
-- Set up the metatable. If triggered we call the corresponding function in the envFuncs table. The value
-- returned by that function is memoized in the env table so that we don't call any of the functions
-- more than once. (Nils won't be memoized.)
setmetatable(env, {
__index = function (t, key)
local envFunc = envFuncs[key]
if envFunc then
local success, val = pcall(envFunc)
if success then
env[key] = val -- Memoise the value.
return val
end
end
return nil
end
})
function envFuncs.title()
-- The title object for the current page, or a test page passed with args.page.
local title
local titleArg = args.page
if titleArg then
title = mw.title.new(titleArg)
else
title = mw.title.getCurrentTitle()
end
return title
end
function envFuncs.templateTitle()
--[[
-- The template (or module, etc.) title object.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
-- 'testcases-subpage' --> 'testcases'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local subpage = title.subpageText
if subpage == message('sandbox-subpage') or subpage == message('testcases-subpage') then
return mw.title.makeTitle(subjectSpace, title.baseText)
else
return mw.title.makeTitle(subjectSpace, title.text)
end
end
function envFuncs.docTitle()
--[[
-- Title object of the /doc subpage.
-- Messages:
-- 'doc-subpage' --> 'doc'
--]]
local title = env.title
local docname = args[1] -- User-specified doc page.
local docpage
if docname then
docpage = docname
else
docpage = env.docpageBase .. '/' .. message('doc-subpage')
end
return mw.title.new(docpage)
end
function envFuncs.sandboxTitle()
--[[
-- Title object for the /sandbox subpage.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('sandbox-subpage'))
end
function envFuncs.testcasesTitle()
--[[
-- Title object for the /testcases subpage.
-- Messages:
-- 'testcases-subpage' --> 'testcases'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('testcases-subpage'))
end
function envFuncs.printTitle()
--[[
-- Title object for the /Print subpage.
-- Messages:
-- 'print-subpage' --> 'Print'
--]]
return env.templateTitle:subPageTitle(message('print-subpage'))
end
function envFuncs.protectionLevels()
-- The protection levels table of the title object.
return env.title.protectionLevels
end
function envFuncs.subjectSpace()
-- The subject namespace number.
return mw.site.namespaces[env.title.namespace].subject.id
end
function envFuncs.docSpace()
-- The documentation namespace number. For most namespaces this is the same as the
-- subject namespace. However, pages in the Article, File, MediaWiki or Category
-- namespaces must have their /doc, /sandbox and /testcases pages in talk space.
local subjectSpace = env.subjectSpace
if subjectSpace == 0 or subjectSpace == 6 or subjectSpace == 8 or subjectSpace == 14 then
return subjectSpace + 1
else
return subjectSpace
end
end
function envFuncs.docpageBase()
-- The base page of the /doc, /sandbox, and /testcases subpages.
-- For some namespaces this is the talk page, rather than the template page.
local templateTitle = env.templateTitle
local docSpace = env.docSpace
local docSpaceText = mw.site.namespaces[docSpace].name
-- Assemble the link. docSpace is never the main namespace, so we can hardcode the colon.
return docSpaceText .. ':' .. templateTitle.text
end
function envFuncs.compareUrl()
-- Diff link between the sandbox and the main template using [[Special:ComparePages]].
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
if templateTitle.exists and sandboxTitle.exists then
local compareUrl = mw.uri.fullUrl(
'Special:ComparePages',
{page1 = templateTitle.prefixedText, page2 = sandboxTitle.prefixedText}
)
return tostring(compareUrl)
else
return nil
end
end
return env
end
----------------------------------------------------------------------------
-- Auxiliary templates
----------------------------------------------------------------------------
function p.sandboxNotice(args, env)
--[=[
-- Generates a sandbox notice for display above sandbox pages.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'sandbox-notice-image' --> '[[Image:Sandbox.svg|50px|alt=|link=]]'
-- 'sandbox-notice-blurb' --> 'This is the $1 for $2.'
-- 'sandbox-notice-diff-blurb' --> 'This is the $1 for $2 ($3).'
-- 'sandbox-notice-pagetype-template' --> '[[w:Wikipedia:Template test cases|template sandbox]] page'
-- 'sandbox-notice-pagetype-module' --> '[[w:Wikipedia:Template test cases|module sandbox]] page'
-- 'sandbox-notice-pagetype-other' --> 'sandbox page'
-- 'sandbox-notice-compare-link-display' --> 'diff'
-- 'sandbox-notice-testcases-blurb' --> 'See also the companion subpage for $1.'
-- 'sandbox-notice-testcases-link-display' --> 'test cases'
-- 'sandbox-category' --> 'Template sandboxes'
--]=]
local title = env.title
local sandboxTitle = env.sandboxTitle
local templateTitle = env.templateTitle
local subjectSpace = env.subjectSpace
if not (subjectSpace and title and sandboxTitle and templateTitle and mw.title.equals(title, sandboxTitle)) then
return nil
end
-- Build the table of arguments to pass to {{ombox}}. We need just two fields, "image" and "text".
local omargs = {}
omargs.image = message('sandbox-notice-image')
-- Get the text. We start with the opening blurb, which is something like
-- "This is the template sandbox for [[Template:Foo]] (diff)."
local text = ''
local frame = mw.getCurrentFrame()
local isPreviewing = frame:preprocess('{{REVISIONID}}') == '' -- True if the page is being previewed.
local pagetype
if subjectSpace == 10 then
pagetype = message('sandbox-notice-pagetype-template')
elseif subjectSpace == 828 then
pagetype = message('sandbox-notice-pagetype-module')
else
pagetype = message('sandbox-notice-pagetype-other')
end
local templateLink = makeWikilink(templateTitle.prefixedText)
local compareUrl = env.compareUrl
if isPreviewing or not compareUrl then
text = text .. message('sandbox-notice-blurb', {pagetype, templateLink})
else
local compareDisplay = message('sandbox-notice-compare-link-display')
local compareLink = makeUrlLink(compareUrl, compareDisplay)
text = text .. message('sandbox-notice-diff-blurb', {pagetype, templateLink, compareLink})
end
-- Get the test cases page blurb if the page exists. This is something like
-- "See also the companion subpage for [[Template:Foo/testcases|test cases]]."
local testcasesTitle = env.testcasesTitle
if testcasesTitle and testcasesTitle.exists then
if testcasesTitle.contentModel == "Scribunto" then
local testcasesLinkDisplay = message('sandbox-notice-testcases-link-display')
local testcasesRunLinkDisplay = message('sandbox-notice-testcases-run-link-display')
local testcasesLink = makeWikilink(testcasesTitle.prefixedText, testcasesLinkDisplay)
local testcasesRunLink = makeWikilink(testcasesTitle.talkPageTitle.prefixedText, testcasesRunLinkDisplay)
text = text .. '<br />' .. message('sandbox-notice-testcases-run-blurb', {testcasesLink, testcasesRunLink})
else
local testcasesLinkDisplay = message('sandbox-notice-testcases-link-display')
local testcasesLink = makeWikilink(testcasesTitle.prefixedText, testcasesLinkDisplay)
text = text .. '<br />' .. message('sandbox-notice-testcases-blurb', {testcasesLink})
end
end
-- Add the sandbox to the sandbox category.
text = text .. makeCategoryLink(message('sandbox-category'))
omargs.text = text
omargs.class = message('sandbox-class')
local ret = '<div style="clear: both;"></div>'
ret = ret .. messageBox.main('ombox', omargs)
return ret
end
function p.protectionTemplate(env)
-- Generates the padlock icon in the top right.
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'protection-template' --> 'pp-template'
-- 'protection-template-args' --> {docusage = 'yes'}
local title = env.title
local protectionLevels
local protectionTemplate = message('protection-template')
local namespace = title.namespace
if not (protectionTemplate and (namespace == 10 or namespace == 828)) then
-- Don't display the protection template if we are not in the template or module namespaces.
return nil
end
protectionLevels = env.protectionLevels
if not protectionLevels then
return nil
end
local editLevels = protectionLevels.edit
local moveLevels = protectionLevels.move
if moveLevels and moveLevels[1] == 'sysop' or editLevels and editLevels[1] then
-- The page is full-move protected, or full, template, or semi-protected.
local frame = mw.getCurrentFrame()
return frame:expandTemplate{title = protectionTemplate, args = message('protection-template-args', nil, 'table')}
else
return nil
end
end
----------------------------------------------------------------------------
-- Start box
----------------------------------------------------------------------------
p.startBox = makeInvokeFunc('_startBox')
function p._startBox(args, env)
--[[
-- This function generates the start box.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- The actual work is done by p.makeStartBoxLinksData and p.renderStartBoxLinks which make
-- the [view] [edit] [history] [purge] links, and by p.makeStartBoxData and p.renderStartBox
-- which generate the box HTML.
--]]
env = env or p.getEnvironment(args)
local links
local content = args.content
if not content then
-- No need to include the links if the documentation is on the template page itself.
local linksData = p.makeStartBoxLinksData(args, env)
if linksData then
links = p.renderStartBoxLinks(linksData)
end
end
-- Generate the start box html.
local data = p.makeStartBoxData(args, env, links)
if data then
return p.renderStartBox(data)
else
-- User specified no heading.
return nil
end
end
function p.makeStartBoxLinksData(args, env)
--[[
-- Does initial processing of data to make the [view] [edit] [history] [purge] links.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'view-link-display' --> 'view'
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'purge-link-display' --> 'purge'
-- 'file-docpage-preload' --> 'Template:Documentation/preload-filespace'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'docpage-preload' --> 'Template:Documentation/preload'
-- 'create-link-display' --> 'create'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local docTitle = env.docTitle
if not title or not docTitle then
return nil
end
if docTitle.isRedirect then
docTitle = docTitle.redirectTarget
end
local data = {}
data.title = title
data.docTitle = docTitle
-- View, display, edit, and purge links if /doc exists.
data.viewLinkDisplay = i18n['view-link-display']
data.editLinkDisplay = i18n['edit-link-display']
data.historyLinkDisplay = i18n['history-link-display']
data.purgeLinkDisplay = i18n['purge-link-display']
-- Create link if /doc doesn't exist.
local preload = args.preload
if not preload then
if subjectSpace == 6 then -- File namespace
preload = message('file-docpage-preload')
elseif subjectSpace == 828 then -- Module namespace
preload = message('module-preload')
else
preload = message('docpage-preload')
end
end
data.preload = preload
data.createLinkDisplay = i18n['create-link-display']
return data
end
function p.renderStartBoxLinks(data)
--[[
-- Generates the [view][edit][history][purge] or [create] links from the data table.
-- @data - a table of data generated by p.makeStartBoxLinksData
--]]
local function escapeBrackets(s)
-- Escapes square brackets with HTML entities.
s = s:gsub('%[', '[') -- Replace square brackets with HTML entities.
s = s:gsub('%]', ']')
return s
end
local ret
local docTitle = data.docTitle
local title = data.title
if docTitle.exists then
local viewLink = makeWikilink(docTitle.prefixedText, data.viewLinkDisplay)
local editLink = makeUrlLink(docTitle:fullUrl{action = 'edit'}, data.editLinkDisplay)
local historyLink = makeUrlLink(docTitle:fullUrl{action = 'history'}, data.historyLinkDisplay)
local purgeLink = makeUrlLink(title:fullUrl{action = 'purge'}, data.purgeLinkDisplay)
ret = '[%s] [%s] [%s] [%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, viewLink, editLink, historyLink, purgeLink)
else
local createLink = makeUrlLink(docTitle:fullUrl{action = 'edit', preload = data.preload}, data.createLinkDisplay)
ret = '[%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, createLink)
end
return ret
end
function p.makeStartBoxData(args, env, links)
--[=[
-- Does initial processing of data to pass to the start-box render function, p.renderStartBox.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- @links - a string containing the [view][edit][history][purge] links - could be nil if there's an error.
--
-- Messages:
-- 'documentation-icon-wikitext' --> '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=Documentation icon]]'
-- 'template-namespace-heading' --> 'Template documentation'
-- 'module-namespace-heading' --> 'Module documentation'
-- 'file-namespace-heading' --> 'Summary'
-- 'other-namespaces-heading' --> 'Documentation'
-- 'start-box-linkclasses' --> 'mw-editsection-like plainlinks'
-- 'start-box-link-id' --> 'doc_editlinks'
-- 'testcases-create-link-display' --> 'create'
--]=]
local subjectSpace = env.subjectSpace
if not subjectSpace then
-- Default to an "other namespaces" namespace, so that we get at least some output
-- if an error occurs.
subjectSpace = 2
end
local data = {}
-- Heading
local heading = args.heading -- Blank values are not removed.
if heading == '' then
-- Don't display the start box if the heading arg is defined but blank.
return nil
end
if heading then
data.heading = heading
elseif subjectSpace == 10 then -- Template namespace
data.heading = i18n['template-namespace-heading']
elseif subjectSpace == 828 then -- Module namespace
data.heading = i18n['module-namespace-heading']
elseif subjectSpace == 6 then -- File namespace
data.heading = i18n['file-namespace-heading']
else
data.heading = i18n['other-namespaces-heading']
end
-- Data for the [view][edit][history][purge] or [create] links.
if links then
data.linksClass = message('start-box-linkclasses')
data.linksId = message('start-box-link-id')
data.links = links
end
return data
end
function p.renderStartBox(data)
-- Renders the start box html.
-- @data - a table of data generated by p.makeStartBoxData.
local sbox = mw.html.create('div')
sbox
:addClass(message('header-div-class'))
:tag('div')
:addClass(message('heading-div-class'))
:wikitext(data.heading)
local links = data.links
if links then
sbox
:tag('div')
:addClass(data.linksClass)
:attr('id', data.linksId)
:wikitext(links)
end
return tostring(sbox)
end
----------------------------------------------------------------------------
-- Documentation content
----------------------------------------------------------------------------
p.content = makeInvokeFunc('_content')
function p._content(args, env)
-- Displays the documentation contents
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
local content = args.content
if not content and docTitle and docTitle.exists then
content = args._content or mw.getCurrentFrame():expandTemplate{title = docTitle}
end
-- The line breaks below are necessary so that "=== Headings ===" at the start and end
-- of docs are interpreted correctly.
local cbox = mw.html.create('div')
cbox
:addClass(message('content-div-class'))
:wikitext('\n' .. (content or '') .. '\n')
return tostring(cbox)
end
p.contentTitle = makeInvokeFunc('_contentTitle')
function p._contentTitle(args, env)
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
if not args.content and docTitle and docTitle.exists then
return docTitle.prefixedText
else
return ''
end
end
----------------------------------------------------------------------------
-- End box
----------------------------------------------------------------------------
p.endBox = makeInvokeFunc('_endBox')
function p._endBox(args, env)
--[=[
-- This function generates the end box (also known as the link box).
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--]=]
-- Get environment data.
env = env or p.getEnvironment(args)
local subjectSpace = env.subjectSpace
local docTitle = env.docTitle
if not subjectSpace or not docTitle then
return nil
end
-- Check whether we should output the end box at all. Add the end
-- box by default if the documentation exists or if we are in the
-- user, module or template namespaces.
local linkBox = args['link box']
if linkBox == 'off'
or not (
docTitle.exists
or subjectSpace == 2
or subjectSpace == 828
or subjectSpace == 10
)
then
return nil
end
-- Assemble the footer text field.
local text = ''
if linkBox then
text = text .. linkBox
else
text = text .. (p.makeDocPageBlurb(args, env) or '') -- "This documentation is transcluded from [[Foo]]."
if subjectSpace == 2 or subjectSpace == 10 or subjectSpace == 828 then
-- We are in the user, template or module namespaces.
-- Add sandbox and testcases links.
-- "Editors can experiment in this template's sandbox and testcases pages."
text = text .. (p.makeExperimentBlurb(args, env) or '')
text = text .. '<br />'
if not args.content and not args[1] then
-- "Please add categories to the /doc subpage."
-- Don't show this message with inline docs or with an explicitly specified doc page,
-- as then it is unclear where to add the categories.
text = text .. (p.makeCategoriesBlurb(args, env) or '')
end
text = text .. ' ' .. (p.makeSubpagesBlurb(args, env) or '') --"Subpages of this template"
local printBlurb = p.makePrintBlurb(args, env) -- Two-line blurb about print versions of templates.
if printBlurb then
text = text .. '<br />' .. printBlurb
end
end
end
local ebox = mw.html.create('div')
ebox
:addClass(message('footer-div-class'))
:wikitext(text)
return tostring(ebox)
end
function p.makeDocPageBlurb(args, env)
--[=[
-- Makes the blurb "This documentation is transcluded from [[Template:Foo]] (edit, history)".
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'transcluded-from-blurb' -->
-- 'The above [[w:Wikipedia:Template documentation|documentation]]
-- is [[w:Wikipedia:Transclusion|transcluded]] from $1.'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'create-link-display' --> 'create'
-- 'create-module-doc-blurb' -->
-- 'You might want to $1 a documentation page for this [[w:Wikipedia:Lua|Scribunto module]].'
--]=]
local docTitle = env.docTitle
if not docTitle or args.content then
return nil
end
local ret
if docTitle.exists then
-- /doc exists; link to it.
local docLink = makeWikilink(docTitle.prefixedText)
local editUrl = docTitle:fullUrl{action = 'edit'}
local editDisplay = i18n['edit-link-display']
local editLink = makeUrlLink(editUrl, editDisplay)
local historyUrl = docTitle:fullUrl{action = 'history'}
local historyDisplay = i18n['history-link-display']
local historyLink = makeUrlLink(historyUrl, historyDisplay)
ret = message('transcluded-from-blurb', {docLink})
.. ' '
.. makeToolbar(editLink, historyLink)
.. '<br />'
elseif env.subjectSpace == 828 then
-- /doc does not exist; ask to create it.
local createUrl = docTitle:fullUrl{action = 'edit', preload = message('module-preload')}
local createDisplay = i18n['create-link-display']
local createLink = makeUrlLink(createUrl, createDisplay)
ret = message('create-module-doc-blurb', {createLink})
.. '<br />'
end
return ret
end
function p.makeExperimentBlurb(args, env)
--[[
-- Renders the text "Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'sandbox-link-display' --> 'sandbox'
-- 'sandbox-edit-link-display' --> 'edit'
-- 'compare-link-display' --> 'diff'
-- 'module-sandbox-preload' --> 'Template:Documentation/preload-module-sandbox'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'sandbox-create-link-display' --> 'create'
-- 'mirror-edit-summary' --> 'Create sandbox version of $1'
-- 'mirror-link-display' --> 'mirror'
-- 'mirror-link-preload' --> 'Template:Documentation/mirror'
-- 'sandbox-link-display' --> 'sandbox'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display'--> 'edit'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'testcases-create-link-display' --> 'create'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display' --> 'edit'
-- 'module-testcases-preload' --> 'Template:Documentation/preload-module-testcases'
-- 'template-testcases-preload' --> 'Template:Documentation/preload-testcases'
-- 'experiment-blurb-module' --> 'Editors can experiment in this module's $1 and $2 pages.'
-- 'experiment-blurb-template' --> 'Editors can experiment in this template's $1 and $2 pages.'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
local testcasesTitle = env.testcasesTitle
local templatePage = templateTitle.prefixedText
if not subjectSpace or not templateTitle or not sandboxTitle or not testcasesTitle then
return nil
end
-- Make links.
local sandboxLinks, testcasesLinks
if sandboxTitle.exists then
local sandboxPage = sandboxTitle.prefixedText
local sandboxDisplay = message('sandbox-link-display')
local sandboxLink = makeWikilink(sandboxPage, sandboxDisplay)
local sandboxEditUrl = sandboxTitle:fullUrl{action = 'edit'}
local sandboxEditDisplay = message('sandbox-edit-link-display')
local sandboxEditLink = makeUrlLink(sandboxEditUrl, sandboxEditDisplay)
local compareUrl = env.compareUrl
local compareLink
if compareUrl then
local compareDisplay = message('compare-link-display')
compareLink = makeUrlLink(compareUrl, compareDisplay)
end
sandboxLinks = sandboxLink .. ' ' .. makeToolbar(sandboxEditLink, compareLink)
else
local sandboxPreload
if subjectSpace == 828 then
sandboxPreload = message('module-sandbox-preload')
else
sandboxPreload = message('template-sandbox-preload')
end
local sandboxCreateUrl = sandboxTitle:fullUrl{action = 'edit', preload = sandboxPreload}
local sandboxCreateDisplay = message('sandbox-create-link-display')
local sandboxCreateLink = makeUrlLink(sandboxCreateUrl, sandboxCreateDisplay)
local mirrorSummary = message('mirror-edit-summary', {makeWikilink(templatePage)})
local mirrorPreload = message('mirror-link-preload')
local mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = mirrorPreload, summary = mirrorSummary}
local mirrorDisplay = message('mirror-link-display')
local mirrorLink = makeUrlLink(mirrorUrl, mirrorDisplay)
sandboxLinks = message('sandbox-link-display') .. ' ' .. makeToolbar(sandboxCreateLink, mirrorLink)
end
if testcasesTitle.exists then
local testcasesPage = testcasesTitle.prefixedText
local testcasesDisplay = message('testcases-link-display')
local testcasesLink = makeWikilink(testcasesPage, testcasesDisplay)
local testcasesEditUrl = testcasesTitle:fullUrl{action = 'edit'}
local testcasesEditDisplay = message('testcases-edit-link-display')
local testcasesEditLink = makeUrlLink(testcasesEditUrl, testcasesEditDisplay)
testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink)
else
local testcasesPreload
if subjectSpace == 828 then
testcasesPreload = message('module-testcases-preload')
else
testcasesPreload = message('template-testcases-preload')
end
local testcasesCreateUrl = testcasesTitle:fullUrl{action = 'edit', preload = testcasesPreload}
local testcasesCreateDisplay = message('testcases-create-link-display')
local testcasesCreateLink = makeUrlLink(testcasesCreateUrl, testcasesCreateDisplay)
testcasesLinks = message('testcases-link-display') .. ' ' .. makeToolbar(testcasesCreateLink)
end
local messageName
if subjectSpace == 828 then
messageName = 'experiment-blurb-module'
else
messageName = 'experiment-blurb-template'
end
return message(messageName, {sandboxLinks, testcasesLinks})
end
function p.makeCategoriesBlurb(args, env)
--[[
-- Generates the text "Please add categories to the /doc subpage."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'doc-link-display' --> '/doc'
-- 'add-categories-blurb' --> 'Please add categories to the $1 subpage.'
--]]
local docTitle = env.docTitle
if not docTitle then
return nil
end
local docPathLink = makeWikilink(docTitle.prefixedText, message('doc-link-display'))
return message('add-categories-blurb', {docPathLink})
end
function p.makeSubpagesBlurb(args, env)
--[[
-- Generates the "Subpages of this template" link.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'template-pagetype' --> 'template'
-- 'module-pagetype' --> 'module'
-- 'default-pagetype' --> 'page'
-- 'subpages-link-display' --> 'Subpages of this $1'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
if not subjectSpace or not templateTitle then
return nil
end
local pagetype
if subjectSpace == 10 then
pagetype = message('template-pagetype')
elseif subjectSpace == 828 then
pagetype = message('module-pagetype')
else
pagetype = message('default-pagetype')
end
local subpagesLink = makeWikilink(
'Special:PrefixIndex/' .. templateTitle.prefixedText .. '/',
message('subpages-link-display', {pagetype})
)
return message('subpages-blurb', {subpagesLink})
end
function p.makePrintBlurb(args, env)
--[=[
-- Generates the blurb displayed when there is a print version of the template available.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'print-link-display' --> '/Print'
-- 'print-blurb' --> 'A [[Help:Books/for experts#Improving the book layout|print version]]'
-- .. ' of this template exists at $1.'
-- .. ' If you make a change to this template, please update the print version as well.'
-- 'display-print-category' --> true
-- 'print-category' --> 'Templates with print versions'
--]=]
local printTitle = env.printTitle
if not printTitle then
return nil
end
local ret
if printTitle.exists then
local printLink = makeWikilink(printTitle.prefixedText, message('print-link-display'))
ret = message('print-blurb', {printLink})
local displayPrintCategory = message('display-print-category', nil, 'boolean')
if displayPrintCategory then
ret = ret .. makeCategoryLink(message('print-category'))
end
end
return ret
end
----------------------------------------------------------------------------
-- Tracking categories
----------------------------------------------------------------------------
function p.addTrackingCategories(env)
--[[
-- Check if {{documentation}} is transcluded on a /doc or /testcases page.
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'display-strange-usage-category' --> true
-- 'doc-subpage' --> 'doc'
-- 'testcases-subpage' --> 'testcases'
-- 'strange-usage-category' --> 'Wikipedia pages with strange ((documentation)) usage'
--
-- /testcases pages in the module namespace are not categorised, as they may have
-- {{documentation}} transcluded automatically.
--]]
local title = env.title
local subjectSpace = env.subjectSpace
if not title or not subjectSpace then
return nil
end
local subpage = title.subpageText
local ret = ''
if message('display-strange-usage-category', nil, 'boolean')
and (
subpage == message('doc-subpage')
or subjectSpace ~= 828 and subpage == message('testcases-subpage')
)
then
ret = ret .. makeCategoryLink(message('strange-usage-category'))
end
return ret
end
return p
2735b3315e04bfbe3334b219864f574163f4c024
Module:Documentation/config
828
130
402
401
2022-08-31T12:56:07Z
YumaRowen
3
1 revision imported from [[:mw:Module:Documentation/config]]
Scribunto
text/plain
----------------------------------------------------------------------------------------------------
--
-- Configuration for Module:Documentation
--
-- Here you can set the values of the parameters and messages used in Module:Documentation to
-- localise it to your wiki and your language. Unless specified otherwise, values given here
-- should be string values.
----------------------------------------------------------------------------------------------------
local _format = require('Module:TNT').format
local function format(id)
return _format('I18n/Documentation', id)
end
local cfg = {} -- Do not edit this line.
cfg['templatestyles-scr'] = 'Module:Documentation/styles.css'
----------------------------------------------------------------------------------------------------
-- Protection template configuration
----------------------------------------------------------------------------------------------------
-- cfg['protection-template']
-- The name of the template that displays the protection icon (a padlock on enwiki).
cfg['protection-template'] = 'pp-template'
-- cfg['protection-reason-edit']
-- The protection reason for edit-protected templates to pass to
-- [[Module:Protection banner]].
cfg['protection-reason-edit'] = 'template'
--[[
-- cfg['protection-template-args']
-- Any arguments to send to the protection template. This should be a Lua table.
-- For example, if the protection template is "pp-template", and the wikitext template invocation
-- looks like "{{pp-template|docusage=yes}}", then this table should look like "{docusage = 'yes'}".
--]]
cfg['protection-template-args'] = {docusage = 'yes'}
--[[
----------------------------------------------------------------------------------------------------
-- Sandbox notice configuration
--
-- On sandbox pages the module can display a template notifying users that the current page is a
-- sandbox, and the location of test cases pages, etc. The module decides whether the page is a
-- sandbox or not based on the value of cfg['sandbox-subpage']. The following settings configure the
-- messages that the notices contains.
----------------------------------------------------------------------------------------------------
--]]
-- cfg['sandbox-notice-image']
-- The image displayed in the sandbox notice.
cfg['sandbox-notice-image'] = '[[Image:Edit In Sandbox Icon - Color.svg|40px|alt=|link=]]'
--[[
-- cfg['sandbox-notice-pagetype-template']
-- cfg['sandbox-notice-pagetype-module']
-- cfg['sandbox-notice-pagetype-other']
-- The page type of the sandbox page. The message that is displayed depends on the current subject
-- namespace. This message is used in either cfg['sandbox-notice-blurb'] or
-- cfg['sandbox-notice-diff-blurb'].
--]]
cfg['sandbox-notice-pagetype-template'] = format('sandbox-notice-pagetype-template')
cfg['sandbox-notice-pagetype-module'] = format('sandbox-notice-pagetype-module')
cfg['sandbox-notice-pagetype-other'] = format('sandbox-notice-pagetype-other')
--[[
-- cfg['sandbox-notice-blurb']
-- cfg['sandbox-notice-diff-blurb']
-- cfg['sandbox-notice-diff-display']
-- Either cfg['sandbox-notice-blurb'] or cfg['sandbox-notice-diff-blurb'] is the opening sentence
-- of the sandbox notice. The latter has a diff link, but the former does not. $1 is the page
-- type, which is either cfg['sandbox-notice-pagetype-template'],
-- cfg['sandbox-notice-pagetype-module'] or cfg['sandbox-notice-pagetype-other'] depending what
-- namespace we are in. $2 is a link to the main template page, and $3 is a diff link between
-- the sandbox and the main template. The display value of the diff link is set by
-- cfg['sandbox-notice-compare-link-display'].
--]]
cfg['sandbox-notice-blurb'] = format('sandbox-notice-blurb')
cfg['sandbox-notice-diff-blurb'] = format('sandbox-notice-diff-blurb')
cfg['sandbox-notice-compare-link-display'] = format('sandbox-notice-compare-link-display')
--[[
-- cfg['sandbox-notice-testcases-blurb']
-- cfg['sandbox-notice-testcases-link-display']
-- cfg['sandbox-notice-testcases-run-blurb']
-- cfg['sandbox-notice-testcases-run-link-display']
-- cfg['sandbox-notice-testcases-blurb'] is a sentence notifying the user that there is a test cases page
-- corresponding to this sandbox that they can edit. $1 is a link to the test cases page.
-- cfg['sandbox-notice-testcases-link-display'] is the display value for that link.
-- cfg['sandbox-notice-testcases-run-blurb'] is a sentence notifying the user that there is a test cases page
-- corresponding to this sandbox that they can edit, along with a link to run it. $1 is a link to the test
-- cases page, and $2 is a link to the page to run it.
-- cfg['sandbox-notice-testcases-run-link-display'] is the display value for the link to run the test
-- cases.
--]]
cfg['sandbox-notice-testcases-blurb'] = format('sandbox-notice-testcases-blurb')
cfg['sandbox-notice-testcases-link-display'] = format('sandbox-notice-testcases-link-display')
cfg['sandbox-notice-testcases-run-blurb'] = format('sandbox-notice-testcases-run-blurb')
cfg['sandbox-notice-testcases-run-link-display'] = format('sandbox-notice-testcases-run-link-display')
-- cfg['sandbox-category']
-- A category to add to all template sandboxes.
cfg['sandbox-category'] = 'Template sandboxes'
----------------------------------------------------------------------------------------------------
-- Start box configuration
----------------------------------------------------------------------------------------------------
-- cfg['documentation-icon-wikitext']
-- The wikitext for the icon shown at the top of the template.
cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=Documentation icon]]'
----------------------------------------------------------------------------------------------------
-- Link box (end box) configuration
----------------------------------------------------------------------------------------------------
-- cfg['transcluded-from-blurb']
-- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page.
cfg['transcluded-from-blurb'] = format('transcluded-from-blurb')
--[[
-- cfg['create-module-doc-blurb']
-- Notice displayed in the module namespace when the documentation subpage does not exist.
-- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the
-- display cfg['create-link-display'].
--]]
cfg['create-module-doc-blurb'] = format('create-module-doc-blurb')
----------------------------------------------------------------------------------------------------
-- Experiment blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['experiment-blurb-template']
-- cfg['experiment-blurb-module']
-- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages.
-- It is only shown in the template and module namespaces. With the default English settings, it
-- might look like this:
--
-- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages.
--
-- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links.
--
-- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending
-- on what namespace we are in.
--
-- Parameters:
--
-- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display'])
--
-- If the sandbox doesn't exist, it is in the format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display'])
--
-- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload']
-- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display']
-- loads a default edit summary of cfg['mirror-edit-summary'].
--
-- $2 is a link to the test cases page. If the test cases page exists, it is in the following format:
--
-- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'])
--
-- If the test cases page doesn't exist, it is in the format:
--
-- cfg['testcases-link-display'] (cfg['testcases-create-link-display'])
--
-- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the
-- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current
-- namespace.
--]]
cfg['experiment-blurb-template'] = format('experiment-blurb-template')
cfg['experiment-blurb-module'] = format('experiment-blurb-module')
----------------------------------------------------------------------------------------------------
-- Sandbox link configuration
----------------------------------------------------------------------------------------------------
-- cfg['sandbox-subpage']
-- The name of the template subpage typically used for sandboxes.
cfg['sandbox-subpage'] = 'sandbox'
-- cfg['template-sandbox-preload']
-- Preload file for template sandbox pages.
cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox'
-- cfg['module-sandbox-preload']
-- Preload file for Lua module sandbox pages.
cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox'
-- cfg['sandbox-link-display']
-- The text to display for "sandbox" links.
cfg['sandbox-link-display'] = format('sandbox-link-display')
-- cfg['sandbox-edit-link-display']
-- The text to display for sandbox "edit" links.
cfg['sandbox-edit-link-display'] = format('sandbox-edit-link-display')
-- cfg['sandbox-create-link-display']
-- The text to display for sandbox "create" links.
cfg['sandbox-create-link-display'] = format('sandbox-create-link-display')
-- cfg['compare-link-display']
-- The text to display for "compare" links.
cfg['compare-link-display'] = format('compare-link-display')
-- cfg['mirror-edit-summary']
-- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the
-- template page.
cfg['mirror-edit-summary'] = 'Create sandbox version of $1'
-- cfg['mirror-link-display']
-- The text to display for "mirror" links.
cfg['mirror-link-display'] = format('mirror-link-display')
-- cfg['mirror-link-preload']
-- The page to preload when a user clicks the "mirror" link.
cfg['mirror-link-preload'] = 'Template:Documentation/mirror'
----------------------------------------------------------------------------------------------------
-- Test cases link configuration
----------------------------------------------------------------------------------------------------
-- cfg['testcases-subpage']
-- The name of the template subpage typically used for test cases.
cfg['testcases-subpage'] = 'testcases'
-- cfg['template-testcases-preload']
-- Preload file for template test cases pages.
cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases'
-- cfg['module-testcases-preload']
-- Preload file for Lua module test cases pages.
cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases'
-- cfg['testcases-link-display']
-- The text to display for "testcases" links.
cfg['testcases-link-display'] = format('testcases-link-display')
-- cfg['testcases-edit-link-display']
-- The text to display for test cases "edit" links.
cfg['testcases-edit-link-display'] = format('testcases-edit-link-display')
-- cfg['testcases-create-link-display']
-- The text to display for test cases "create" links.
cfg['testcases-create-link-display'] = format('testcases-create-link-display')
----------------------------------------------------------------------------------------------------
-- Add categories blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['add-categories-blurb']
-- Text to direct users to add categories to the /doc subpage. Not used if the "content" or
-- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a
-- link to the /doc subpage with a display value of cfg['doc-link-display'].
--]]
cfg['add-categories-blurb'] = format('add-categories-blurb')
-- cfg['doc-link-display']
-- The text to display when linking to the /doc subpage.
cfg['doc-link-display'] = '/doc'
----------------------------------------------------------------------------------------------------
-- Subpages link configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['subpages-blurb']
-- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a
-- display value of cfg['subpages-link-display']. In the English version this blurb is simply
-- the link followed by a period, and the link display provides the actual text.
--]]
cfg['subpages-blurb'] = format('subpages-blurb')
--[[
-- cfg['subpages-link-display']
-- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'],
-- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in
-- the template namespace, the module namespace, or another namespace.
--]]
cfg['subpages-link-display'] = format('subpages-link-display')
-- cfg['template-pagetype']
-- The pagetype to display for template pages.
cfg['template-pagetype'] = format('template-pagetype')
-- cfg['module-pagetype']
-- The pagetype to display for Lua module pages.
cfg['module-pagetype'] = format('module-pagetype')
-- cfg['default-pagetype']
-- The pagetype to display for pages other than templates or Lua modules.
cfg['default-pagetype'] = format('default-pagetype')
----------------------------------------------------------------------------------------------------
-- Doc link configuration
----------------------------------------------------------------------------------------------------
-- cfg['doc-subpage']
-- The name of the subpage typically used for documentation pages.
cfg['doc-subpage'] = 'doc'
-- cfg['file-docpage-preload']
-- Preload file for documentation page in the file namespace.
cfg['file-docpage-preload'] = 'Template:Documentation/preload-filespace'
-- cfg['docpage-preload']
-- Preload file for template documentation pages in all namespaces.
cfg['docpage-preload'] = 'Template:Documentation/preload'
-- cfg['module-preload']
-- Preload file for Lua module documentation pages.
cfg['module-preload'] = 'Template:Documentation/preload-module-doc'
----------------------------------------------------------------------------------------------------
-- Print version configuration
----------------------------------------------------------------------------------------------------
-- cfg['print-subpage']
-- The name of the template subpage used for print versions.
cfg['print-subpage'] = 'Print'
-- cfg['print-link-display']
-- The text to display when linking to the /Print subpage.
cfg['print-link-display'] = '/Print'
-- cfg['print-blurb']
-- Text to display if a /Print subpage exists. $1 is a link to the subpage with a display value of cfg['print-link-display'].
cfg['print-blurb'] = format('print-blurb')
-- cfg['display-print-category']
-- Set to true to enable output of cfg['print-category'] if a /Print subpage exists.
-- This should be a boolean value (either true or false).
cfg['display-print-category'] = true
-- cfg['print-category']
-- Category to output if cfg['display-print-category'] is set to true, and a /Print subpage exists.
cfg['print-category'] = 'Templates with print versions'
----------------------------------------------------------------------------------------------------
-- HTML and CSS configuration
----------------------------------------------------------------------------------------------------
-- cfg['main-div-id']
-- The "id" attribute of the main HTML "div" tag.
cfg['main-div-id'] = 'template-documentation'
-- cfg['main-div-classes']
-- The CSS classes added to the main HTML "div" tag.
cfg['main-div-class'] = 'ts-doc-doc'
cfg['header-div-class'] = 'ts-doc-header'
cfg['heading-div-class'] = 'ts-doc-heading'
cfg['content-div-class'] = 'ts-doc-content'
cfg['footer-div-class'] = 'ts-doc-footer plainlinks'
cfg['sandbox-class'] = 'ts-doc-sandbox'
-- cfg['start-box-linkclasses']
-- The CSS classes used for the [view][edit][history] or [create] links in the start box.
cfg['start-box-linkclasses'] = 'ts-tlinks-tlinks mw-editsection-like plainlinks'
-- cfg['start-box-link-id']
-- The HTML "id" attribute for the links in the start box.
cfg['start-box-link-id'] = 'doc_editlinks'
----------------------------------------------------------------------------------------------------
-- Tracking category configuration
----------------------------------------------------------------------------------------------------
-- cfg['display-strange-usage-category']
-- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage
-- or a /testcases subpage. This should be a boolean value (either true or false).
cfg['display-strange-usage-category'] = true
-- cfg['strange-usage-category']
-- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a
-- /doc subpage or a /testcases subpage.
cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage'
--[[
----------------------------------------------------------------------------------------------------
-- End configuration
--
-- Don't edit anything below this line.
----------------------------------------------------------------------------------------------------
--]]
return cfg
b37796cd8383492e598752ceda6edde6cae4b878
Module:TNT
828
131
404
403
2022-08-31T12:56:07Z
YumaRowen
3
1 revision imported from [[:mw:Module:TNT]]
Scribunto
text/plain
--
-- INTRO: (!!! DO NOT RENAME THIS PAGE !!!)
-- This module allows any template or module to be copy/pasted between
-- wikis without any translation changes. All translation text is stored
-- in the global Data:*.tab pages on Commons, and used everywhere.
--
-- SEE: https://www.mediawiki.org/wiki/Multilingual_Templates_and_Modules
--
-- ATTENTION:
-- Please do NOT rename this module - it has to be identical on all wikis.
-- This code is maintained at https://www.mediawiki.org/wiki/Module:TNT
-- Please do not modify it anywhere else, as it may get copied and override your changes.
-- Suggestions can be made at https://www.mediawiki.org/wiki/Module_talk:TNT
--
-- DESCRIPTION:
-- The "msg" function uses a Commons dataset to translate a message
-- with a given key (e.g. source-table), plus optional arguments
-- to the wiki markup in the current content language.
-- Use lang=xx to set language. Example:
--
-- {{#invoke:TNT | msg
-- | I18n/Template:Graphs.tab <!-- https://commons.wikimedia.org/wiki/Data:I18n/Template:Graphs.tab -->
-- | source-table <!-- uses a translation message with id = "source-table" -->
-- | param1 }} <!-- optional parameter -->
--
--
-- The "doc" function will generate the <templatedata> parameter documentation for templates.
-- This way all template parameters can be stored and localized in a single Commons dataset.
-- NOTE: "doc" assumes that all documentation is located in Data:Templatedata/* on Commons.
--
-- {{#invoke:TNT | doc | Graph:Lines }}
-- uses https://commons.wikimedia.org/wiki/Data:Templatedata/Graph:Lines.tab
-- if the current page is Template:Graph:Lines/doc
--
local p = {}
local i18nDataset = 'I18n/Module:TNT.tab'
-- Forward declaration of the local functions
local sanitizeDataset, loadData, link, formatMessage
function p.msg(frame)
local dataset, id
local params = {}
local lang = nil
for k, v in pairs(frame.args) do
if k == 1 then
dataset = mw.text.trim(v)
elseif k == 2 then
id = mw.text.trim(v)
elseif type(k) == 'number' then
params[k - 2] = mw.text.trim(v)
elseif k == 'lang' and v ~= '_' then
lang = mw.text.trim(v)
end
end
return formatMessage(dataset, id, params, lang)
end
-- Identical to p.msg() above, but used from other lua modules
-- Parameters: name of dataset, message key, optional arguments
-- Example with 2 params: format('I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.format(dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('format', 1, dataset, 'string')
checkType('format', 2, key, 'string')
return formatMessage(dataset, key, {...})
end
-- Identical to p.msg() above, but used from other lua modules with the language param
-- Parameters: language code, name of dataset, message key, optional arguments
-- Example with 2 params: formatInLanguage('es', I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.formatInLanguage(lang, dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('formatInLanguage', 1, lang, 'string')
checkType('formatInLanguage', 2, dataset, 'string')
checkType('formatInLanguage', 3, key, 'string')
return formatMessage(dataset, key, {...}, lang)
end
-- Obsolete function that adds a 'c:' prefix to the first param.
-- "Sandbox/Sample.tab" -> 'c:Data:Sandbox/Sample.tab'
function p.link(frame)
return link(frame.args[1])
end
function p.doc(frame)
local dataset = 'Templatedata/' .. sanitizeDataset(frame.args[1])
return frame:extensionTag('templatedata', p.getTemplateData(dataset)) ..
formatMessage(i18nDataset, 'edit_doc', {link(dataset)})
end
function p.getTemplateData(dataset)
-- TODO: add '_' parameter once lua starts reindexing properly for "all" languages
local data = loadData(dataset)
local names = {}
for _, field in ipairs(data.schema.fields) do
table.insert(names, field.name)
end
local params = {}
local paramOrder = {}
for _, row in ipairs(data.data) do
local newVal = {}
local name = nil
for pos, columnName in ipairs(names) do
if columnName == 'name' then
name = row[pos]
else
newVal[columnName] = row[pos]
end
end
if name then
params[name] = newVal
table.insert(paramOrder, name)
end
end
-- Work around json encoding treating {"1":{...}} as an [{...}]
params['zzz123']=''
local json = mw.text.jsonEncode({
params=params,
paramOrder=paramOrder,
description=data.description
})
json = string.gsub(json,'"zzz123":"",?', "")
return json
end
-- Local functions
sanitizeDataset = function(dataset)
if not dataset then
return nil
end
dataset = mw.text.trim(dataset)
if dataset == '' then
return nil
elseif string.sub(dataset,-4) ~= '.tab' then
return dataset .. '.tab'
else
return dataset
end
end
loadData = function(dataset, lang)
dataset = sanitizeDataset(dataset)
if not dataset then
error(formatMessage(i18nDataset, 'error_no_dataset', {}))
end
-- Give helpful error to thirdparties who try and copy this module.
if not mw.ext or not mw.ext.data or not mw.ext.data.get then
error(string.format([['''Missing JsonConfig extension, or not properly configured;
Cannot load https://commons.wikimedia.org/wiki/Data:%s.
See https://www.mediawiki.org/wiki/Extension:JsonConfig#Supporting_Wikimedia_templates''']], dataset))
end
local data = mw.ext.data.get(dataset, lang)
if data == false then
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Missing Commons dataset ' .. i18nDataset)
else
error(formatMessage(i18nDataset, 'error_bad_dataset', {link(dataset)}))
end
end
return data
end
-- Given a dataset name, convert it to a title with the 'commons:data:' prefix
link = function(dataset)
return 'c:Data:' .. mw.text.trim(dataset or '')
end
formatMessage = function(dataset, key, params, lang)
for _, row in pairs(loadData(dataset, lang).data) do
local id, msg = unpack(row)
if id == key then
local result = mw.message.newRawMessage(msg, unpack(params or {}))
return result:plain()
end
end
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Invalid message key "' .. key .. '"')
else
error(formatMessage(i18nDataset, 'error_bad_msgkey', {key, link(dataset)}))
end
end
return p
dcbd1e43ce99db35325d77652b386f04d59686db
Module:Documentation/i18n
828
132
406
405
2022-08-31T12:56:08Z
YumaRowen
3
1 revision imported from [[:mw:Module:Documentation/i18n]]
Scribunto
text/plain
local format = require('Module:TNT').format
local i18n = {}
i18n['cfg-error-msg-type'] = format('I18n/Documentation', 'cfg-error-msg-type')
i18n['cfg-error-msg-empty'] = format('I18n/Documentation', 'cfg-error-msg-empty')
-- cfg['template-namespace-heading']
-- The heading shown in the template namespace.
i18n['template-namespace-heading'] = format('I18n/Documentation', 'template-namespace-heading')
-- cfg['module-namespace-heading']
-- The heading shown in the module namespace.
i18n['module-namespace-heading'] = format('I18n/Documentation', 'module-namespace-heading')
-- cfg['file-namespace-heading']
-- The heading shown in the file namespace.
i18n['file-namespace-heading'] = format('I18n/Documentation', 'file-namespace-heading')
-- cfg['other-namespaces-heading']
-- The heading shown in other namespaces.
i18n['other-namespaces-heading'] = format('I18n/Documentation', 'other-namespaces-heading')
-- cfg['view-link-display']
-- The text to display for "view" links.
i18n['view-link-display'] = format('I18n/Documentation', 'view-link-display')
-- cfg['edit-link-display']
-- The text to display for "edit" links.
i18n['edit-link-display'] = format('I18n/Documentation', 'edit-link-display')
-- cfg['history-link-display']
-- The text to display for "history" links.
i18n['history-link-display'] = format('I18n/Documentation', 'history-link-display')
-- cfg['purge-link-display']
-- The text to display for "purge" links.
i18n['purge-link-display'] = format('I18n/Documentation', 'purge-link-display')
-- cfg['create-link-display']
-- The text to display for "create" links.
i18n['create-link-display'] = format('I18n/Documentation', 'create-link-display')
return i18n
9a9f234b177a424f1fc465eb25c484eff54905c0
Module:List
828
133
408
407
2022-08-31T12:56:08Z
YumaRowen
3
1 revision imported from [[:mw:Module:List]]
Scribunto
text/plain
-- This module outputs different kinds of lists. At the moment, bulleted,
-- unbulleted, horizontal, ordered, and horizontal ordered lists are supported.
local libUtil = require('libraryUtil')
local checkType = libUtil.checkType
local mTableTools = require('Module:TableTools')
local p = {}
local listTypes = {
['bulleted'] = true,
['unbulleted'] = true,
['horizontal'] = true,
['ordered'] = true,
['horizontal_ordered'] = true
}
function p.makeListData(listType, args)
-- Constructs a data table to be passed to p.renderList.
local data = {}
-- Classes
data.classes = {}
data.templatestyles = ''
if listType == 'horizontal' or listType == 'horizontal_ordered' then
table.insert(data.classes, 'hlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Flatlist/styles.css' }
}
elseif listType == 'unbulleted' then
table.insert(data.classes, 'plainlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Plainlist/styles.css' }
}
end
table.insert(data.classes, args.class)
-- Main div style
data.style = args.style
-- Indent for horizontal lists
if listType == 'horizontal' or listType == 'horizontal_ordered' then
local indent = tonumber(args.indent)
indent = indent and indent * 1.6 or 0
if indent > 0 then
data.marginLeft = indent .. 'em'
end
end
-- List style types for ordered lists
-- This could be "1, 2, 3", "a, b, c", or a number of others. The list style
-- type is either set by the "type" attribute or the "list-style-type" CSS
-- property.
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listStyleType = args.list_style_type or args['list-style-type']
data.type = args['type']
-- Detect invalid type attributes and attempt to convert them to
-- list-style-type CSS properties.
if data.type
and not data.listStyleType
and not tostring(data.type):find('^%s*[1AaIi]%s*$')
then
data.listStyleType = data.type
data.type = nil
end
end
-- List tag type
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listTag = 'ol'
else
data.listTag = 'ul'
end
-- Start number for ordered lists
data.start = args.start
if listType == 'horizontal_ordered' then
-- Apply fix to get start numbers working with horizontal ordered lists.
local startNum = tonumber(data.start)
if startNum then
data.counterReset = 'listitem ' .. tostring(startNum - 1)
end
end
-- List style
-- ul_style and ol_style are included for backwards compatibility. No
-- distinction is made for ordered or unordered lists.
data.listStyle = args.list_style
-- List items
-- li_style is included for backwards compatibility. item_style was included
-- to be easier to understand for non-coders.
data.itemStyle = args.item_style or args.li_style
data.items = {}
for i, num in ipairs(mTableTools.numKeys(args)) do
local item = {}
item.content = args[num]
item.style = args['item' .. tostring(num) .. '_style']
or args['item_style' .. tostring(num)]
item.value = args['item' .. tostring(num) .. '_value']
or args['item_value' .. tostring(num)]
table.insert(data.items, item)
end
return data
end
function p.renderList(data)
-- Renders the list HTML.
-- Return the blank string if there are no list items.
if type(data.items) ~= 'table' or #data.items < 1 then
return ''
end
-- Render the main div tag.
local root = mw.html.create((
#data.classes > 0
or data.marginLeft
or data.style
) and 'div' or nil)
for i, class in ipairs(data.classes or {}) do
root:addClass(class)
end
root:css{['margin-left'] = data.marginLeft}
if data.style then
root:cssText(data.style)
end
-- Render the list tag.
local list = root:tag(data.listTag or 'ul')
list
:attr{start = data.start, type = data.type}
:css{
['counter-reset'] = data.counterReset,
['list-style-type'] = data.listStyleType
}
if data.listStyle then
list:cssText(data.listStyle)
end
-- Render the list items
for i, t in ipairs(data.items or {}) do
local item = list:tag('li')
if data.itemStyle then
item:cssText(data.itemStyle)
end
if t.style then
item:cssText(t.style)
end
item
:attr{value = t.value}
:wikitext(t.content)
end
return data.templatestyles .. tostring(root)
end
function p.makeList(listType, args)
if not listType or not listTypes[listType] then
error(string.format(
"bad argument #1 to 'makeList' ('%s' is not a valid list type)",
tostring(listType)
), 2)
end
checkType('makeList', 2, args, 'table')
local data = p.makeListData(listType, args)
return p.renderList(data)
end
for listType in pairs(listTypes) do
p[listType] = function (frame)
local mArguments = require('Module:Arguments')
local origArgs = mArguments.getArgs(frame)
-- Copy all the arguments to a new table, for faster indexing.
local args = {}
for k, v in pairs(origArgs) do
args[k] = v
end
return p.makeList(listType, args)
end
end
return p
d701c0798e541793aa5ed1e9af50fc3b20548907
Module:TableTools
828
134
410
409
2022-08-31T12:56:09Z
YumaRowen
3
1 revision imported from [[:mw:Module:TableTools]]
Scribunto
text/plain
--[[
------------------------------------------------------------------------------------
-- TableTools --
-- --
-- This module includes a number of functions for dealing with Lua tables. --
-- It is a meta-module, meant to be called from other Lua modules, and should --
-- not be called directly from #invoke. --
------------------------------------------------------------------------------------
--]]
local libraryUtil = require('libraryUtil')
local p = {}
-- Define often-used variables and functions.
local floor = math.floor
local infinity = math.huge
local checkType = libraryUtil.checkType
local checkTypeMulti = libraryUtil.checkTypeMulti
--[[
------------------------------------------------------------------------------------
-- isPositiveInteger
--
-- This function returns true if the given value is a positive integer, and false
-- if not. Although it doesn't operate on tables, it is included here as it is
-- useful for determining whether a given table key is in the array part or the
-- hash part of a table.
------------------------------------------------------------------------------------
--]]
function p.isPositiveInteger(v)
if type(v) == 'number' and v >= 1 and floor(v) == v and v < infinity then
return true
else
return false
end
end
--[[
------------------------------------------------------------------------------------
-- isNan
--
-- This function returns true if the given number is a NaN value, and false
-- if not. Although it doesn't operate on tables, it is included here as it is
-- useful for determining whether a value can be a valid table key. Lua will
-- generate an error if a NaN is used as a table key.
------------------------------------------------------------------------------------
--]]
function p.isNan(v)
if type(v) == 'number' and tostring(v) == '-nan' then
return true
else
return false
end
end
--[[
------------------------------------------------------------------------------------
-- shallowClone
--
-- This returns a clone of a table. The value returned is a new table, but all
-- subtables and functions are shared. Metamethods are respected, but the returned
-- table will have no metatable of its own.
------------------------------------------------------------------------------------
--]]
function p.shallowClone(t)
local ret = {}
for k, v in pairs(t) do
ret[k] = v
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- removeDuplicates
--
-- This removes duplicate values from an array. Non-positive-integer keys are
-- ignored. The earliest value is kept, and all subsequent duplicate values are
-- removed, but otherwise the array order is unchanged.
------------------------------------------------------------------------------------
--]]
function p.removeDuplicates(t)
checkType('removeDuplicates', 1, t, 'table')
local isNan = p.isNan
local ret, exists = {}, {}
for i, v in ipairs(t) do
if isNan(v) then
-- NaNs can't be table keys, and they are also unique, so we don't need to check existence.
ret[#ret + 1] = v
else
if not exists[v] then
ret[#ret + 1] = v
exists[v] = true
end
end
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- numKeys
--
-- This takes a table and returns an array containing the numbers of any numerical
-- keys that have non-nil values, sorted in numerical order.
------------------------------------------------------------------------------------
--]]
function p.numKeys(t)
checkType('numKeys', 1, t, 'table')
local isPositiveInteger = p.isPositiveInteger
local nums = {}
for k, v in pairs(t) do
if isPositiveInteger(k) then
nums[#nums + 1] = k
end
end
table.sort(nums)
return nums
end
--[[
------------------------------------------------------------------------------------
-- affixNums
--
-- This takes a table and returns an array containing the numbers of keys with the
-- specified prefix and suffix. For example, for the table
-- {a1 = 'foo', a3 = 'bar', a6 = 'baz'} and the prefix "a", affixNums will
-- return {1, 3, 6}.
------------------------------------------------------------------------------------
--]]
function p.affixNums(t, prefix, suffix)
checkType('affixNums', 1, t, 'table')
checkType('affixNums', 2, prefix, 'string', true)
checkType('affixNums', 3, suffix, 'string', true)
local function cleanPattern(s)
-- Cleans a pattern so that the magic characters ()%.[]*+-?^$ are interpreted literally.
s = s:gsub('([%(%)%%%.%[%]%*%+%-%?%^%$])', '%%%1')
return s
end
prefix = prefix or ''
suffix = suffix or ''
prefix = cleanPattern(prefix)
suffix = cleanPattern(suffix)
local pattern = '^' .. prefix .. '([1-9]%d*)' .. suffix .. '$'
local nums = {}
for k, v in pairs(t) do
if type(k) == 'string' then
local num = mw.ustring.match(k, pattern)
if num then
nums[#nums + 1] = tonumber(num)
end
end
end
table.sort(nums)
return nums
end
--[[
------------------------------------------------------------------------------------
-- numData
--
-- Given a table with keys like ("foo1", "bar1", "foo2", "baz2"), returns a table
-- of subtables in the format
-- { [1] = {foo = 'text', bar = 'text'}, [2] = {foo = 'text', baz = 'text'} }
-- Keys that don't end with an integer are stored in a subtable named "other".
-- The compress option compresses the table so that it can be iterated over with
-- ipairs.
------------------------------------------------------------------------------------
--]]
function p.numData(t, compress)
checkType('numData', 1, t, 'table')
checkType('numData', 2, compress, 'boolean', true)
local ret = {}
for k, v in pairs(t) do
local prefix, num = mw.ustring.match(tostring(k), '^([^0-9]*)([1-9][0-9]*)$')
if num then
num = tonumber(num)
local subtable = ret[num] or {}
if prefix == '' then
-- Positional parameters match the blank string; put them at the start of the subtable instead.
prefix = 1
end
subtable[prefix] = v
ret[num] = subtable
else
local subtable = ret.other or {}
subtable[k] = v
ret.other = subtable
end
end
if compress then
local other = ret.other
ret = p.compressSparseArray(ret)
ret.other = other
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- compressSparseArray
--
-- This takes an array with one or more nil values, and removes the nil values
-- while preserving the order, so that the array can be safely traversed with
-- ipairs.
------------------------------------------------------------------------------------
--]]
function p.compressSparseArray(t)
checkType('compressSparseArray', 1, t, 'table')
local ret = {}
local nums = p.numKeys(t)
for _, num in ipairs(nums) do
ret[#ret + 1] = t[num]
end
return ret
end
--[[
------------------------------------------------------------------------------------
-- sparseIpairs
--
-- This is an iterator for sparse arrays. It can be used like ipairs, but can
-- handle nil values.
------------------------------------------------------------------------------------
--]]
function p.sparseIpairs(t)
checkType('sparseIpairs', 1, t, 'table')
local nums = p.numKeys(t)
local i = 0
local lim = #nums
return function ()
i = i + 1
if i <= lim then
local key = nums[i]
return key, t[key]
else
return nil, nil
end
end
end
--[[
------------------------------------------------------------------------------------
-- size
--
-- This returns the size of a key/value pair table. It will also work on arrays,
-- but for arrays it is more efficient to use the # operator.
------------------------------------------------------------------------------------
--]]
function p.size(t)
checkType('size', 1, t, 'table')
local i = 0
for k in pairs(t) do
i = i + 1
end
return i
end
local function defaultKeySort(item1, item2)
-- "number" < "string", so numbers will be sorted before strings.
local type1, type2 = type(item1), type(item2)
if type1 ~= type2 then
return type1 < type2
else -- This will fail with table, boolean, function.
return item1 < item2
end
end
--[[
Returns a list of the keys in a table, sorted using either a default
comparison function or a custom keySort function.
]]
function p.keysToList(t, keySort, checked)
if not checked then
checkType('keysToList', 1, t, 'table')
checkTypeMulti('keysToList', 2, keySort, { 'function', 'boolean', 'nil' })
end
local list = {}
local index = 1
for key, value in pairs(t) do
list[index] = key
index = index + 1
end
if keySort ~= false then
keySort = type(keySort) == 'function' and keySort or defaultKeySort
table.sort(list, keySort)
end
return list
end
--[[
Iterates through a table, with the keys sorted using the keysToList function.
If there are only numerical keys, sparseIpairs is probably more efficient.
]]
function p.sortedPairs(t, keySort)
checkType('sortedPairs', 1, t, 'table')
checkType('sortedPairs', 2, keySort, 'function', true)
local list = p.keysToList(t, keySort, true)
local i = 0
return function()
i = i + 1
local key = list[i]
if key ~= nil then
return key, t[key]
else
return nil, nil
end
end
end
--[[
Returns true if all keys in the table are consecutive integers starting at 1.
--]]
function p.isArray(t)
checkType("isArray", 1, t, "table")
local i = 0
for k, v in pairs(t) do
i = i + 1
if t[i] == nil then
return false
end
end
return true
end
-- { "a", "b", "c" } -> { a = 1, b = 2, c = 3 }
function p.invert(array)
checkType("invert", 1, array, "table")
local map = {}
for i, v in ipairs(array) do
map[v] = i
end
return map
end
--[[
{ "a", "b", "c" } -> { ["a"] = true, ["b"] = true, ["c"] = true }
--]]
function p.listToSet(t)
checkType("listToSet", 1, t, "table")
local set = {}
for _, item in ipairs(t) do
set[item] = true
end
return set
end
--[[
Recursive deep copy function.
Preserves identities of subtables.
]]
local function _deepCopy(orig, includeMetatable, already_seen)
-- Stores copies of tables indexed by the original table.
already_seen = already_seen or {}
local copy = already_seen[orig]
if copy ~= nil then
return copy
end
if type(orig) == 'table' then
copy = {}
for orig_key, orig_value in pairs(orig) do
copy[deepcopy(orig_key, includeMetatable, already_seen)] = deepcopy(orig_value, includeMetatable, already_seen)
end
already_seen[orig] = copy
if includeMetatable then
local mt = getmetatable(orig)
if mt ~= nil then
local mt_copy = deepcopy(mt, includeMetatable, already_seen)
setmetatable(copy, mt_copy)
already_seen[mt] = mt_copy
end
end
else -- number, string, boolean, etc
copy = orig
end
return copy
end
function p.deepCopy(orig, noMetatable, already_seen)
checkType("deepCopy", 3, already_seen, "table", true)
return _deepCopy(orig, not noMetatable, already_seen)
end
--[[
Concatenates all values in the table that are indexed by a number, in order.
sparseConcat{ a, nil, c, d } => "acd"
sparseConcat{ nil, b, c, d } => "bcd"
]]
function p.sparseConcat(t, sep, i, j)
local list = {}
local list_i = 0
for _, v in p.sparseIpairs(t) do
list_i = list_i + 1
list[list_i] = v
end
return table.concat(list, sep, i, j)
end
--[[
-- This returns the length of a table, or the first integer key n counting from
-- 1 such that t[n + 1] is nil. It is similar to the operator #, but may return
-- a different value when there are gaps in the array portion of the table.
-- Intended to be used on data loaded with mw.loadData. For other tables, use #.
-- Note: #frame.args in frame object always be set to 0, regardless of
-- the number of unnamed template parameters, so use this function for
-- frame.args.
--]]
function p.length(t)
local i = 1
while t[i] ~= nil do
i = i + 1
end
return i - 1
end
function p.inArray(arr, valueToFind)
checkType("inArray", 1, arr, "table")
-- if valueToFind is nil, error?
for _, v in ipairs(arr) do
if v == valueToFind then
return true
end
end
return false
end
return p
fe918509f168332267834b3a6f5c219a9de5b2e7
Module:Message box/ombox.css
828
135
412
411
2022-08-31T12:56:09Z
YumaRowen
3
1 revision imported from [[:mw:Module:Message_box/ombox.css]]
text
text/plain
/**
* {{ombox}} (other pages message box) styles
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
table.ombox {
margin: 4px 10%;
border-collapse: collapse;
/* Default "notice" gray */
border: 1px solid #a2a9b1;
background-color: #f8f9fa;
box-sizing: border-box;
}
/* An empty narrow cell */
.ombox td.mbox-empty-cell {
border: none;
padding: 0;
width: 1px;
}
/* The message body cell(s) */
.ombox th.mbox-text,
.ombox td.mbox-text {
border: none;
/* 0.9em left/right */
padding: 0.25em 0.9em;
/* Make all mboxes the same width regardless of text length */
width: 100%;
}
/* The left image cell */
.ombox td.mbox-image {
border: none;
text-align: center;
/* 0.9em left, 0px right */
/* @noflip */
padding: 2px 0 2px 0.9em;
}
/* The right image cell */
.ombox td.mbox-imageright {
border: none;
text-align: center;
/* 0px left, 0.9em right */
/* @noflip */
padding: 2px 0.9em 2px 0;
}
table.ombox-notice {
/* Gray */
border-color: #a2a9b1;
}
table.ombox-speedy {
/* Pink */
background-color: #fee7e6;
}
table.ombox-speedy,
table.ombox-delete {
/* Red */
border-color: #b32424;
border-width: 2px;
}
table.ombox-content {
/* Orange */
border-color: #f28500;
}
table.ombox-style {
/* Yellow */
border-color: #fc3;
}
table.ombox-move {
/* Purple */
border-color: #9932cc;
}
table.ombox-protection {
/* Gray-gold */
border-color: #a2a9b1;
border-width: 2px;
}
/**
* {{ombox|small=1}} styles
*
* These ".mbox-small" classes must be placed after all other
* ".ombox" classes. "html body.mediawiki .ombox"
* is so they apply only to other page message boxes.
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
/* For the "small=yes" option. */
html body.mediawiki .ombox.mbox-small {
clear: right;
float: right;
margin: 4px 0 4px 1em;
box-sizing: border-box;
width: 238px;
font-size: 88%;
line-height: 1.25em;
}
e2c21da9b2e5ea3a68e2f5a7432cbfd3cfce80a8
Module:Navbar/styles.css
828
136
414
413
2022-08-31T12:56:10Z
YumaRowen
3
1 revision imported from [[:mw:Module:Navbar/styles.css]]
text
text/plain
/** {{Shared Template Warning}}
* This TemplateStyles page is separately used for [[Template:Navbar]]
* because of course there are two versions of the same template.
* Be careful when adjusting styles accordingly.
*/
.navbar {
display: inline;
font-size: 88%;
font-weight: normal;
}
.navbar ul {
display: inline;
white-space: nowrap;
}
.navbar li {
word-spacing: -0.125em;
}
/* Navbar styling when nested in navbox */
.navbox .navbar {
display: block;
font-size: 100%;
}
.navbox-title .navbar {
/* @noflip */
float: left;
/* @noflip */
text-align: left;
/* @noflip */
margin-right: 0.5em;
width: 6em;
}
daa254bc716c42f79e6be78a9d0a82bdbe57f9f2
Module:Documentation/styles.css
828
137
416
415
2022-08-31T12:56:10Z
YumaRowen
3
1 revision imported from [[:mw:Module:Documentation/styles.css]]
text
text/plain
.ts-doc-sandbox .mbox-image {
padding:.75em 0 .75em .75em;
}
.ts-doc-doc {
clear: both;
background-color: #eaf3ff;
border: 1px solid #a3caff;
margin-top: 1em;
border-top-left-radius: 2px;
border-top-right-radius: 2px;
}
.ts-doc-header {
background-color: #c2dcff;
padding: .642857em 1em .5em;
border-top-left-radius: 2px;
border-top-right-radius: 2px;
}
.ts-doc-header .ts-tlinks-tlinks {
line-height: 24px;
margin-left: 0;
}
.ts-doc-header .ts-tlinks-tlinks a.external {
color: #0645ad;
}
.ts-doc-header .ts-tlinks-tlinks a.external:visited {
color: #0b0080;
}
.ts-doc-header .ts-tlinks-tlinks a.external:active {
color: #faa700;
}
.ts-doc-content {
padding: .214286em 1em;
}
.ts-doc-content:after {
content: '';
clear: both;
display: block;
}
.ts-doc-heading {
display: inline-block;
padding-left: 30px;
background: center left/24px 24px no-repeat;
/* @noflip */
background-image: url(//upload.wikimedia.org/wikipedia/commons/f/fb/OOjs_UI_icon_puzzle-ltr.svg);
height: 24px;
line-height: 24px;
font-size: 13px;
font-weight: 600;
letter-spacing: 1px;
text-transform: uppercase;
}
.ts-doc-content > *:first-child,
.ts-doc-footer > *:first-child {
margin-top: .5em;
}
.ts-doc-content > *:last-child,
.ts-doc-footer > *:last-child {
margin-bottom: .5em;
}
.ts-doc-footer {
background-color: #eaf3ff;
border: 1px solid #a3caff;
padding: .214286em 1em;
margin-top: .214286em;
font-style: italic;
border-bottom-left-radius: 2px;
border-bottom-right-radius: 2px;
}
@media all and (min-width: 720px) {
.ts-doc-header .ts-tlinks-tlinks {
float: right;
}
}
71b09af67524324bf70d203a0a724bc74ec6c82e
Template:((
10
138
418
417
2022-08-31T12:56:11Z
YumaRowen
3
1 revision imported from [[:mw:Template:((]]
wikitext
text/x-wiki
{{<noinclude>
{{documentation}}[[Category:Workaround templates]]
</noinclude>
f8c63100e113b89d20396b75811d33e13b808f1a
Template:))
10
139
420
419
2022-08-31T12:56:11Z
YumaRowen
3
1 revision imported from [[:mw:Template:))]]
wikitext
text/x-wiki
}}<noinclude>
{{documentation}}[[Category:Workaround templates]]
</noinclude>
e2331ab1b2f6b7061b29f929a502a016b6d54a54
Template:Lua
10
140
422
421
2022-08-31T12:56:12Z
YumaRowen
3
1 revision imported from [[:mw:Template:Lua]]
wikitext
text/x-wiki
<onlyinclude><includeonly>{{#invoke:Lua banner|main}}</includeonly></onlyinclude>
{{Lua|Module:Lua banner}}
{{Documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
4642b0a145984533bddd3a6f0293c56ce201b88d
Module:Lua banner
828
141
424
423
2022-08-31T12:56:12Z
YumaRowen
3
1 revision imported from [[:mw:Module:Lua_banner]]
Scribunto
text/plain
-- This module implements the {{lua}} template.
local yesno = require('Module:Yesno')
local mList = require('Module:List')
local mTableTools = require('Module:TableTools')
local mMessageBox = require('Module:Message box')
local TNT = require('Module:TNT')
local p = {}
local function format(msg)
return TNT.format('I18n/Lua banner', msg)
end
local function getConfig()
return mw.loadData('Module:Lua banner/config')
end
function p.main(frame)
local origArgs = frame:getParent().args
local args = {}
for k, v in pairs(origArgs) do
v = v:match('^%s*(.-)%s*$')
if v ~= '' then
args[k] = v
end
end
return p._main(args)
end
function p._main(args, cfg)
local modules = mTableTools.compressSparseArray(args)
local box = p.renderBox(modules, cfg, args)
local trackingCategories = p.renderTrackingCategories(args, modules, nil, cfg)
return box .. trackingCategories
end
function p.renderBox(modules, cfg, args)
local boxArgs = {}
if #modules < 1 then
cfg = cfg or getConfig()
if cfg['allow_wishes'] or yesno(args and args.wish) then
boxArgs.text = format('wishtext')
else
boxArgs.text = string.format('<strong class="error">%s</strong>', format('error_emptylist'))
end
else
local moduleLinks = {}
for i, module in ipairs(modules) do
moduleLinks[i] = string.format('[[:%s]]', module)
end
local moduleList = mList.makeList('bulleted', moduleLinks)
boxArgs.text = format('header') .. '\n' .. moduleList
end
boxArgs.type = 'notice'
boxArgs.small = true
boxArgs.image = string.format(
'[[File:Lua-logo-nolabel.svg|30px|alt=%s|link=%s]]',
format('logo_alt'),
format('logo_link')
)
return mMessageBox.main('mbox', boxArgs)
end
function p.renderTrackingCategories(args, modules, titleObj, cfg)
if yesno(args.nocat) then
return ''
end
cfg = cfg or getConfig()
local cats = {}
-- Error category
if #modules < 1 and not (cfg['allow_wishes'] or yesno(args.wish)) and cfg['error_category'] then
cats[#cats + 1] = cfg['error_category']
end
-- Lua templates category
titleObj = titleObj or mw.title.getCurrentTitle()
if titleObj.namespace == 10
and not cfg['subpage_blacklist'][titleObj.subpageText]
then
local category = args.category
if not category then
local pagename = modules[1] and mw.title.new(modules[1])
category = pagename and cfg['module_categories'][pagename.text]
if not category then
if (cfg['allow_wishes'] or yesno(args.wish)) and #modules < 1 then
category = cfg['wish_category']
else
category = cfg['default_category']
end
end
end
if category then
cats[#cats + 1] = category
end
end
for i, cat in ipairs(cats) do
cats[i] = string.format('[[Category:%s]]', cat)
end
return table.concat(cats)
end
return p
4b55b48bd92caeb84decde5f14c77b68ae09653e
Module:Lua banner/config
828
142
426
425
2022-08-31T12:56:13Z
YumaRowen
3
1 revision imported from [[:mw:Module:Lua_banner/config]]
Scribunto
text/plain
local cfg = {} -- Don’t touch this line.
-- Subpage blacklist: these subpages will not be categorized (except for the
-- error category, which is always added if there is an error).
-- For example “Template:Foo/doc” matches the `doc = true` rule, so it will have
-- no categories. “Template:Foo” and “Template:Foo/documentation” match no rules,
-- so they *will* have categories. All rules should be in the
-- ['<subpage name>'] = true,
-- format.
cfg['subpage_blacklist'] = {
['doc'] = true,
['sandbox'] = true,
['sandbox2'] = true,
['testcases'] = true,
}
-- Allow wishes: whether wishes for conversion to Lua are allowed.
-- If true, calls with zero parameters are valid, and considered to be wishes:
-- The box’s text is “This template should use Lua”, and cfg['wish_category'] is
-- added. If false, such calls are invalid, an error message appears, and
-- cfg['error_category'] is added.
cfg['allow_wishes'] = false
-- Default category: this category is added if the module call contains errors
-- (e.g. no module listed). A category name without namespace, or nil
-- to disable categorization (not recommended).
cfg['error_category'] = 'Lua templates with errors'
-- Wish category: this category is added if no module is listed, and wishes are
-- allowed. (Not used if wishes are not allowed.) A category name without
-- namespace, or nil to disable categorization.
cfg['wish_category'] = 'Lua-candidates'
-- Default category: this category is added if none of the below module_categories
-- matches the first module listed. A category name without namespace, or nil
-- to disable categorization.
cfg['default_category'] = 'Lua-based templates'
-- Module categories: one of these categories is added if the first listed module
-- is the listed module (e.g. {{Lua|Module:String}} adds
-- [[Category:Lua String-based templates]].) Format:
-- ['<module name>'] = '<category name>'
-- where neither <module name> nor <category name> contains namespace. An empty
-- table (i.e. no module-based categorization) will suffice on smaller wikis.
cfg['module_categories'] = {
['String'] = 'Lua String-based templates',
}
return cfg -- Don’t touch this line.
960aa5bb0f008cf7e3ef37963e1dbc797c2ffdd5
Template:Tl
10
143
428
427
2022-08-31T12:56:13Z
YumaRowen
3
1 revision imported from [[:mw:Template:Tl]]
wikitext
text/x-wiki
{{((}}[[Template:{{{1}}}|{{{1}}}]]{{))}}<noinclude>
{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
1447a15b7ca7f93848d1ac4b792d61a1d8555e3b
Template:Blue
10
144
430
429
2022-08-31T12:56:14Z
YumaRowen
3
1 revision imported from [[:mw:Template:Blue]]
wikitext
text/x-wiki
<span style="color:#0645AD;">{{{1}}}</span><noinclude>{{documentation}}
[[Category:Formatting templates{{#translation:}}|{{PAGENAME}}]]
</noinclude>
636ccfaac2c8947c9d036c2a6ac80aeb94f89713
Template:Flatlist/styles.css
10
145
432
431
2022-08-31T12:56:14Z
YumaRowen
3
1 revision imported from [[:mw:Template:Flatlist/styles.css]]
text
text/plain
/**
* Style for horizontal lists (separator following item).
* @source https://www.mediawiki.org/wiki/Snippets/Horizontal_lists
* @revision 9 (2016-08-10)
* @author [[User:Edokter]]
*/
.hlist dl,
.hlist ol,
.hlist ul {
margin: 0;
padding: 0;
}
/* Display list items inline */
.hlist dd,
.hlist dt,
.hlist li {
/* don't trust the note that says margin doesn't work with inline
* removing margin: 0 makes dds have margins again */
margin: 0;
display: inline;
}
/* Display nested lists inline */
/*
We remove .inline since it's not used here.
.hlist.inline,
.hlist.inline dl,
.hlist.inline ol,
.hlist.inline ul,
*/
.hlist dl dl, .hlist dl ol, .hlist dl ul,
.hlist ol dl, .hlist ol ol, .hlist ol ul,
.hlist ul dl, .hlist ul ol, .hlist ul ul {
display: inline;
}
/* Hide empty list items */
.hlist .mw-empty-li,
.hlist .mw-empty-elt {
display: none;
}
/* Generate interpuncts */
.hlist dt:after {
content: ": ";
}
.hlist dd:after,
.hlist li:after {
content: " · ";
font-weight: bold;
}
.hlist dd:last-child:after,
.hlist dt:last-child:after,
.hlist li:last-child:after {
content: none;
}
/* Add parentheses around nested lists */
.hlist dd dd:first-child:before, .hlist dd dt:first-child:before, .hlist dd li:first-child:before,
.hlist dt dd:first-child:before, .hlist dt dt:first-child:before, .hlist dt li:first-child:before,
.hlist li dd:first-child:before, .hlist li dt:first-child:before, .hlist li li:first-child:before {
content: " (";
font-weight: normal;
}
.hlist dd dd:last-child:after, .hlist dd dt:last-child:after, .hlist dd li:last-child:after,
.hlist dt dd:last-child:after, .hlist dt dt:last-child:after, .hlist dt li:last-child:after,
.hlist li dd:last-child:after, .hlist li dt:last-child:after, .hlist li li:last-child:after {
content: ")";
font-weight: normal;
}
/* Put ordinals in front of ordered list items */
.hlist ol {
counter-reset: listitem;
}
.hlist ol > li {
counter-increment: listitem;
}
.hlist ol > li:before {
content: " " counter(listitem) "\a0";
}
.hlist dd ol > li:first-child:before,
.hlist dt ol > li:first-child:before,
.hlist li ol > li:first-child:before {
content: " (" counter(listitem) "\a0";
}
9e75e584c328c44948ca9aae5c1cb4fa3c76a622
Module:Navbox
828
146
434
433
2022-08-31T12:56:15Z
YumaRowen
3
1 revision imported from [[:mw:Module:Navbox]]
Scribunto
text/plain
--
-- This module implements {{Navbox}}
--
local p = {}
local navbar = require('Module:Navbar')._navbar
local getArgs -- lazily initialized
local args
local border
local listnums
local ODD_EVEN_MARKER = '\127_ODDEVEN_\127'
local RESTART_MARKER = '\127_ODDEVEN0_\127'
local REGEX_MARKER = '\127_ODDEVEN(%d?)_\127'
local function striped(wikitext)
-- Return wikitext with markers replaced for odd/even striping.
-- Child (subgroup) navboxes are flagged with a category that is removed
-- by parent navboxes. The result is that the category shows all pages
-- where a child navbox is not contained in a parent navbox.
local orphanCat = '[[Category:Navbox orphans]]'
if border == 'subgroup' and args.orphan ~= 'yes' then
-- No change; striping occurs in outermost navbox.
return wikitext .. orphanCat
end
local first, second = 'odd', 'even'
if args.evenodd then
if args.evenodd == 'swap' then
first, second = second, first
else
first = args.evenodd
second = first
end
end
local changer
if first == second then
changer = first
else
local index = 0
changer = function (code)
if code == '0' then
-- Current occurrence is for a group before a nested table.
-- Set it to first as a valid although pointless class.
-- The next occurrence will be the first row after a title
-- in a subgroup and will also be first.
index = 0
return first
end
index = index + 1
return index % 2 == 1 and first or second
end
end
local regex = orphanCat:gsub('([%[%]])', '%%%1')
return (wikitext:gsub(regex, ''):gsub(REGEX_MARKER, changer)) -- () omits gsub count
end
local function processItem(item, nowrapitems)
if item:sub(1, 2) == '{|' then
-- Applying nowrap to lines in a table does not make sense.
-- Add newlines to compensate for trim of x in |parm=x in a template.
return '\n' .. item ..'\n'
end
if nowrapitems == 'yes' then
local lines = {}
for line in (item .. '\n'):gmatch('([^\n]*)\n') do
local prefix, content = line:match('^([*:;#]+)%s*(.*)')
if prefix and not content:match('^<span class="nowrap">') then
line = prefix .. '<span class="nowrap">' .. content .. '</span>'
end
table.insert(lines, line)
end
item = table.concat(lines, '\n')
end
if item:match('^[*:;#]') then
return '\n' .. item ..'\n'
end
return item
end
-- Separate function so that we can evaluate properly whether hlist should
-- be added by the module
local function has_navbar()
return args.navbar ~= 'off' and args.navbar ~= 'plain' and
(args.name or mw.getCurrentFrame():getParent():getTitle():gsub('/sandbox$', '') ~= 'Template:Navbox')
end
local function renderNavBar(titleCell)
if has_navbar() then
titleCell:wikitext(navbar{
args.name,
-- we depend on this being mini = 1 when the navbox module decides
-- to add hlist templatestyles. we also depend on navbar outputting
-- a copy of the hlist templatestyles.
mini = 1,
fontstyle = (args.basestyle or '') .. ';' .. (args.titlestyle or '') .. ';background:none transparent;border:none;box-shadow:none; padding:0;'
})
end
end
--
-- Title row
--
local function renderTitleRow(tbl)
if not args.title then return end
local titleRow = tbl:tag('tr')
if args.titlegroup then
titleRow
:tag('th')
:attr('scope', 'row')
:addClass('navbox-group')
:addClass(args.titlegroupclass)
:cssText(args.basestyle)
:cssText(args.groupstyle)
:cssText(args.titlegroupstyle)
:wikitext(args.titlegroup)
end
local titleCell = titleRow:tag('th'):attr('scope', 'col')
if args.titlegroup then
titleCell
:addClass('navbox-title1')
end
local titleColspan = 2
if args.imageleft then titleColspan = titleColspan + 1 end
if args.image then titleColspan = titleColspan + 1 end
if args.titlegroup then titleColspan = titleColspan - 1 end
titleCell
:cssText(args.basestyle)
:cssText(args.titlestyle)
:addClass('navbox-title')
:attr('colspan', titleColspan)
renderNavBar(titleCell)
titleCell
:tag('div')
-- id for aria-labelledby attribute
:attr('id', mw.uri.anchorEncode(args.title))
:addClass(args.titleclass)
:css('font-size', '114%')
:css('margin', '0 4em')
:wikitext(processItem(args.title))
end
--
-- Above/Below rows
--
local function getAboveBelowColspan()
local ret = 2
if args.imageleft then ret = ret + 1 end
if args.image then ret = ret + 1 end
return ret
end
local function renderAboveRow(tbl)
if not args.above then return end
tbl:tag('tr')
:tag('td')
:addClass('navbox-abovebelow')
:addClass(args.aboveclass)
:cssText(args.basestyle)
:cssText(args.abovestyle)
:attr('colspan', getAboveBelowColspan())
:tag('div')
-- id for aria-labelledby attribute, if no title
:attr('id', args.title and nil or mw.uri.anchorEncode(args.above))
:wikitext(processItem(args.above, args.nowrapitems))
end
local function renderBelowRow(tbl)
if not args.below then return end
tbl:tag('tr')
:tag('td')
:addClass('navbox-abovebelow')
:addClass(args.belowclass)
:cssText(args.basestyle)
:cssText(args.belowstyle)
:attr('colspan', getAboveBelowColspan())
:tag('div')
:wikitext(processItem(args.below, args.nowrapitems))
end
--
-- List rows
--
local function renderListRow(tbl, index, listnum)
local row = tbl:tag('tr')
if index == 1 and args.imageleft then
row
:tag('td')
:addClass('navbox-image')
:addClass(args.imageclass)
:css('width', '1px') -- Minimize width
:css('padding', '0px 2px 0px 0px')
:cssText(args.imageleftstyle)
:attr('rowspan', #listnums)
:tag('div')
:wikitext(processItem(args.imageleft))
end
if args['group' .. listnum] then
local groupCell = row:tag('th')
-- id for aria-labelledby attribute, if lone group with no title or above
if listnum == 1 and not (args.title or args.above or args.group2) then
groupCell
:attr('id', mw.uri.anchorEncode(args.group1))
end
groupCell
:attr('scope', 'row')
:addClass('navbox-group')
:addClass(args.groupclass)
:cssText(args.basestyle)
:css('width', args.groupwidth or '1%') -- If groupwidth not specified, minimize width
groupCell
:cssText(args.groupstyle)
:cssText(args['group' .. listnum .. 'style'])
:wikitext(args['group' .. listnum])
end
local listCell = row:tag('td')
if args['group' .. listnum] then
listCell
:addClass('navbox-list1')
else
listCell:attr('colspan', 2)
end
if not args.groupwidth then
listCell:css('width', '100%')
end
local rowstyle -- usually nil so cssText(rowstyle) usually adds nothing
if index % 2 == 1 then
rowstyle = args.oddstyle
else
rowstyle = args.evenstyle
end
local listText = args['list' .. listnum]
local oddEven = ODD_EVEN_MARKER
if listText:sub(1, 12) == '</div><table' then
-- Assume list text is for a subgroup navbox so no automatic striping for this row.
oddEven = listText:find('<th[^>]*"navbox%-title"') and RESTART_MARKER or 'odd'
end
listCell
:css('padding', '0px')
:cssText(args.liststyle)
:cssText(rowstyle)
:cssText(args['list' .. listnum .. 'style'])
:addClass('navbox-list')
:addClass('navbox-' .. oddEven)
:addClass(args.listclass)
:addClass(args['list' .. listnum .. 'class'])
:tag('div')
:css('padding', (index == 1 and args.list1padding) or args.listpadding or '0em 0.25em')
:wikitext(processItem(listText, args.nowrapitems))
if index == 1 and args.image then
row
:tag('td')
:addClass('navbox-image')
:addClass(args.imageclass)
:css('width', '1px') -- Minimize width
:css('padding', '0px 0px 0px 2px')
:cssText(args.imagestyle)
:attr('rowspan', #listnums)
:tag('div')
:wikitext(processItem(args.image))
end
end
--
-- Tracking categories
--
local function needsHorizontalLists()
if border == 'subgroup' or args.tracking == 'no' then
return false
end
local listClasses = {
['plainlist'] = true, ['hlist'] = true, ['hlist hnum'] = true,
['hlist hwrap'] = true, ['hlist vcard'] = true, ['vcard hlist'] = true,
['hlist vevent'] = true,
}
return not (listClasses[args.listclass] or listClasses[args.bodyclass])
end
-- there are a lot of list classes in the wild, so we have a function to find
-- them and add their TemplateStyles
local function addListStyles()
local frame = mw.getCurrentFrame()
-- TODO?: Should maybe take a table of classes for e.g. hnum, hwrap as above
-- I'm going to do the stupid thing first though
-- Also not sure hnum and hwrap are going to live in the same TemplateStyles
-- as hlist
local function _addListStyles(htmlclass, templatestyles)
local class_args = { -- rough order of probability of use
'bodyclass', 'listclass', 'aboveclass', 'belowclass', 'titleclass',
'navboxclass', 'groupclass', 'titlegroupclass', 'imageclass'
}
local patterns = {
'^' .. htmlclass .. '$',
'%s' .. htmlclass .. '$',
'^' .. htmlclass .. '%s',
'%s' .. htmlclass .. '%s'
}
local found = false
for _, arg in ipairs(class_args) do
for _, pattern in ipairs(patterns) do
if mw.ustring.find(args[arg] or '', pattern) then
found = true
break
end
end
if found then break end
end
if found then
return frame:extensionTag{
name = 'templatestyles', args = { src = templatestyles }
}
else
return ''
end
end
local hlist_styles = ''
-- navbar always has mini = 1, so here (on this wiki) we can assume that
-- we don't need to output hlist styles in navbox again.
if not has_navbar() then
hlist_styles = _addListStyles('hlist', 'Flatlist/styles.css')
end
local plainlist_styles = _addListStyles('plainlist', 'Plainlist/styles.css')
return hlist_styles .. plainlist_styles
end
local function hasBackgroundColors()
for _, key in ipairs({'titlestyle', 'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do
if tostring(args[key]):find('background', 1, true) then
return true
end
end
end
local function hasBorders()
for _, key in ipairs({'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do
if tostring(args[key]):find('border', 1, true) then
return true
end
end
end
local function isIllegible()
-- require('Module:Color contrast') absent on mediawiki.org
return false
end
local function getTrackingCategories()
local cats = {}
if needsHorizontalLists() then table.insert(cats, 'Navigational boxes without horizontal lists') end
if hasBackgroundColors() then table.insert(cats, 'Navboxes using background colours') end
if isIllegible() then table.insert(cats, 'Potentially illegible navboxes') end
if hasBorders() then table.insert(cats, 'Navboxes using borders') end
return cats
end
local function renderTrackingCategories(builder)
local title = mw.title.getCurrentTitle()
if title.namespace ~= 10 then return end -- not in template space
local subpage = title.subpageText
if subpage == 'doc' or subpage == 'sandbox' or subpage == 'testcases' then return end
for _, cat in ipairs(getTrackingCategories()) do
builder:wikitext('[[Category:' .. cat .. ']]')
end
end
--
-- Main navbox tables
--
local function renderMainTable()
local tbl = mw.html.create('table')
:addClass('nowraplinks')
:addClass(args.bodyclass)
if args.title and (args.state ~= 'plain' and args.state ~= 'off') then
if args.state == 'collapsed' then args.state = 'mw-collapsed' end
tbl
:addClass('mw-collapsible')
:addClass(args.state or 'autocollapse')
end
tbl:css('border-spacing', 0)
if border == 'subgroup' or border == 'none' then
tbl
:addClass('navbox-subgroup')
:cssText(args.bodystyle)
:cssText(args.style)
else -- regular navbox - bodystyle and style will be applied to the wrapper table
tbl
:addClass('navbox-inner')
:css('background', 'transparent')
:css('color', 'inherit')
end
tbl:cssText(args.innerstyle)
renderTitleRow(tbl)
renderAboveRow(tbl)
for i, listnum in ipairs(listnums) do
renderListRow(tbl, i, listnum)
end
renderBelowRow(tbl)
return tbl
end
function p._navbox(navboxArgs)
args = navboxArgs
listnums = {}
for k, _ in pairs(args) do
if type(k) == 'string' then
local listnum = k:match('^list(%d+)$')
if listnum then table.insert(listnums, tonumber(listnum)) end
end
end
table.sort(listnums)
border = mw.text.trim(args.border or args[1] or '')
if border == 'child' then
border = 'subgroup'
end
-- render the main body of the navbox
local tbl = renderMainTable()
-- get templatestyles
local frame = mw.getCurrentFrame()
local base_templatestyles = frame:extensionTag{
name = 'templatestyles', args = { src = 'Module:Navbox/styles.css' }
}
local templatestyles = ''
if args.templatestyles and args.templatestyles ~= '' then
templatestyles = frame:extensionTag{
name = 'templatestyles', args = { src = args.templatestyles }
}
end
local res = mw.html.create()
-- 'navbox-styles' exists for two reasons:
-- 1. To wrap the styles to work around phab: T200206 more elegantly. Instead
-- of combinatorial rules, this ends up being linear number of CSS rules.
-- 2. To allow MobileFrontend to rip the styles out with 'nomobile' such that
-- they are not dumped into the mobile view.
res:tag('div')
:addClass('navbox-styles')
:addClass('nomobile')
:wikitext(base_templatestyles .. templatestyles)
:done()
-- render the appropriate wrapper around the navbox, depending on the border param
if border == 'none' then
local nav = res:tag('div')
:attr('role', 'navigation')
:wikitext(addListStyles())
:node(tbl)
-- aria-labelledby title, otherwise above, otherwise lone group
if args.title or args.above or (args.group1 and not args.group2) then
nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1))
else
nav:attr('aria-label', 'Navbox')
end
elseif border == 'subgroup' then
-- We assume that this navbox is being rendered in a list cell of a
-- parent navbox, and is therefore inside a div with padding:0em 0.25em.
-- We start with a </div> to avoid the padding being applied, and at the
-- end add a <div> to balance out the parent's </div>
res
:wikitext('</div>')
:wikitext(addListStyles())
:node(tbl)
:wikitext('<div>')
else
local nav = res:tag('div')
:attr('role', 'navigation')
:addClass('navbox')
:addClass(args.navboxclass)
:cssText(args.bodystyle)
:cssText(args.style)
:css('padding', '3px')
:wikitext(addListStyles())
:node(tbl)
-- aria-labelledby title, otherwise above, otherwise lone group
if args.title or args.above or (args.group1 and not args.group2) then
nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1))
else
nav:attr('aria-label', 'Navbox')
end
end
if (args.nocat or 'false'):lower() == 'false' then
renderTrackingCategories(res)
end
return striped(tostring(res))
end
function p.navbox(frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
args = getArgs(frame, {wrappers = {'Template:Navbox', 'Template:Navbox subgroup'}})
if frame.args.border then
-- This allows Template:Navbox_subgroup to use {{#invoke:Navbox|navbox|border=...}}.
args.border = frame.args.border
end
-- Read the arguments in the order they'll be output in, to make references number in the right order.
local _
_ = args.title
_ = args.above
for i = 1, 20 do
_ = args["group" .. tostring(i)]
_ = args["list" .. tostring(i)]
end
_ = args.below
return p._navbox(args)
end
return p
f006d4cce0a49e17814bc84ae51d4c40195a0c9b
Module:Navbar
828
147
436
435
2022-08-31T12:56:15Z
YumaRowen
3
1 revision imported from [[:mw:Module:Navbar]]
Scribunto
text/plain
local p = {}
local getArgs
local ul
function p.addItem (mini, full, link, descrip, args, url)
local l
if url then
l = {'[', '', ']'}
else
l = {'[[', '|', ']]'}
end
ul:tag('li')
:addClass('nv-'..full)
:wikitext(l[1] .. link .. l[2])
:tag(args.mini and 'abbr' or 'span')
:attr('title', descrip..' this template')
:cssText(args.fontstyle)
:wikitext(args.mini and mini or full)
:done()
:wikitext(l[3])
end
function p.brackets (position, c, args, div)
if args.brackets then
div
:tag('span')
:css('margin-'..position, '-0.125em')
:cssText(args.fontstyle)
:wikitext(c)
end
end
function p._navbar(args)
local show = {true, true, true, false, false, false}
local titleArg = 1
if args.collapsible then
titleArg = 2
if not args.plain then args.mini = 1 end
if args.fontcolor then
args.fontstyle = 'color:' .. args.fontcolor .. ';'
end
args.style = 'float:left; text-align:left'
end
if args.template then
titleArg = 'template'
show = {true, false, false, false, false, false}
local index = {t = 2, d = 2, e = 3, h = 4, m = 5, w = 6, talk = 2, edit = 3, hist = 4, move = 5, watch = 6}
for k,v in ipairs(require ('Module:TableTools').compressSparseArray(args)) do
local num = index[v]
if num then show[num] = true end
end
end
if args.noedit then show[3] = false end
local titleText = args[titleArg] or (':' .. mw.getCurrentFrame():getParent():getTitle())
local title = mw.title.new(mw.text.trim(titleText), 'Template')
if not title then
error('Invalid title ' .. titleText)
end
local talkpage = title.talkPageTitle and title.talkPageTitle.fullText or ''
local div = mw.html.create():tag('div')
div
:addClass('plainlinks')
:addClass('hlist')
:addClass('navbar')
:cssText(args.style)
if args.mini then div:addClass('mini') end
if not (args.mini or args.plain) then
div
:tag('span')
:css('word-spacing', 0)
:cssText(args.fontstyle)
:wikitext(args.text or 'This box:')
:wikitext(' ')
end
p.brackets('right', '[ ', args, div)
ul = div:tag('ul')
if show[1] then p.addItem('v', 'view', title.fullText, 'View', args) end
if show[2] then p.addItem('t', 'talk', talkpage, 'Discuss', args) end
if show[3] then p.addItem('e', 'edit', title:fullUrl('action=edit'), 'Edit', args, true) end
if show[4] then p.addItem('h', 'hist', title:fullUrl('action=history'), 'History of', args, true) end
if show[5] then
local move = mw.title.new ('Special:Movepage')
p.addItem('m', 'move', move:fullUrl('target='..title.fullText), 'Move', args, true) end
if show[6] then p.addItem('w', 'watch', title:fullUrl('action=watch'), 'Watch', args, true) end
p.brackets('left', ' ]', args, div)
if args.collapsible then
div
:done()
:tag('div')
:css('font-size', '114%')
:css('margin', args.mini and '0 4em' or '0 7em')
:cssText(args.fontstyle)
:wikitext(args[1])
end
-- DELIBERATE DELTA FROM EN.WP THAT INTEGRATES HLIST TSTYLES
-- CARE WHEN SYNCING
local frame = mw.getCurrentFrame()
return frame:extensionTag{
name = 'templatestyles', args = { src = 'Flatlist/styles.css' }
} .. frame:extensionTag{
name = 'templatestyles', args = { src = 'Module:Navbar/styles.css' }
} .. tostring(div:done())
end
function p.navbar(frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
return p._navbar(getArgs(frame))
end
return p
b074bbe764eb1a5909241d11390e2612477d429a
Module:Navbox/styles.css
828
148
438
437
2022-08-31T12:56:15Z
YumaRowen
3
1 revision imported from [[:mw:Module:Navbox/styles.css]]
text
text/plain
.navbox {
border: 1px solid #aaa;
box-sizing: border-box;
width: 100%;
margin: auto;
clear: both;
font-size: 88%;
text-align: center;
padding: 1px;
}
.navbox-inner,
.navbox-subgroup {
width: 100%;
}
.navbox + .navbox-styles + .navbox {
/* Single pixel border between adjacent navboxes */
margin-top: -1px;
}
.navbox th,
.navbox-title,
.navbox-abovebelow {
text-align: center;
/* Title and above/below styles */
padding-left: 1em;
padding-right: 1em;
}
th.navbox-group {
/* Group style */
white-space: nowrap;
/* @noflip */
text-align: right;
}
.navbox,
.navbox-subgroup {
background: #fdfdfd;
}
.navbox-list {
/* Must match background color */
border-color: #fdfdfd;
}
.navbox th,
.navbox-title {
/* Level 1 color */
background: #eaeeff;
}
.navbox-abovebelow,
th.navbox-group,
.navbox-subgroup .navbox-title {
/* Level 2 color */
background: #ddddff;
}
.navbox-subgroup .navbox-group,
.navbox-subgroup .navbox-abovebelow {
/* Level 3 color */
background: #e6e6ff;
}
.navbox-even {
/* Even row striping */
background: #f7f7f7;
}
.navbox-odd {
/* Odd row striping */
background: transparent;
}
th.navbox-title1 {
border-left: 2px solid #fdfdfd;
width: 100%;
}
td.navbox-list1 {
text-align: left;
border-left-width: 2px;
border-left-style: solid;
}
.navbox .hlist td dl,
.navbox .hlist td ol,
.navbox .hlist td ul,
.navbox td.hlist dl,
.navbox td.hlist ol,
.navbox td.hlist ul {
/* Adjust hlist padding in navboxes */
padding: 0.125em 0;
}
.navbox .hlist dd,
.navbox .hlist dt,
.navbox .hlist li {
/* Nowrap list items in navboxes */
white-space: nowrap;
}
.navbox .hlist dd dl,
.navbox .hlist dt dl,
.navbox .hlist li ol,
.navbox .hlist li ul {
/* But allow parent list items to be wrapped */
white-space: normal;
}
ol + .navbox-styles + .navbox,
ul + .navbox-styles + .navbox {
/* Prevent lists from clinging to navboxes */
margin-top: 0.5em;
}
c4c305dae15bacc8c3240430775fab74f0c10e06
Template:Ombox
10
149
440
439
2022-08-31T12:56:16Z
YumaRowen
3
1 revision imported from [[:mw:Template:Ombox]]
wikitext
text/x-wiki
<onlyinclude>{{#invoke:Message box|ombox}}</onlyinclude>
{{Documentation}}
<!-- Add categories to the /doc subpage and interwikis in Wikidata, not here! -->
f5c3203172e44c84d587cc7824db31d90604ddcb
Template:-
10
150
442
441
2022-08-31T12:56:16Z
YumaRowen
3
1 revision imported from [[:mw:Template:-]]
wikitext
text/x-wiki
#REDIRECT [[Template:Clear]]
1a2aa4a9ba7478e54a2b21cbce68887ea297ea86
Template:·
10
153
448
447
2022-08-31T12:56:17Z
YumaRowen
3
1 revision imported from [[:mw:Template:·]]
wikitext
text/x-wiki
<b>·</b> <noinclude>
{{documentation}}
<!-- Add categories and interwikis to the /doc subpage, not here! -->
</noinclude>
bddcd60a7b03421d93c14219c3518e748538fd4e
Template:Navbox/doc
10
154
450
449
2022-08-31T12:56:19Z
YumaRowen
3
1 revision imported from [[:mw:Template:Navbox/doc]]
wikitext
text/x-wiki
{{documentation subpage}}
{{lua|Module:Navbox}}
{{High-risk}}
This template allows a [[Help:Templates|navigational template]] to be set up relatively quickly by supplying it one or more lists of links. It comes equipped with default styles that should work for most navigational templates. Changing the default styles is not recommended, but is possible. Using this template, or one of its "Navbox suite" sister templates, is highly recommended for standardization of navigational templates, and for ease of use.
== Usage ==
Please remove the parameters that are left blank.
<pre style="overflow:auto;">{{Navbox
|bodyclass =
|name = {{subst:PAGENAME}}
|title =
|titlestyle =
|image =
|above =
|group1 =
|list1 =
|group2 =
|list2 =
...
|group20 =
|list20 =
|below =
}}</pre>
== Parameter list ==
{{Navbox
|name = {{BASEPAGENAME}}
|state = uncollapsed
|image = {{{image}}}
|title = {{{title}}}
|above = {{{above}}}
|group1 = {{{group1}}}
|list1 = {{{list1}}}
|group2 = {{{group2}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}} ''without {{{group3}}}''
|group4 = {{{group4}}}
|list4 = {{{list4}}}
|below = {{{below}}}<br />See alternate navbox formats under: [[#Layout of table|''Layout of table'']]
}}
The navbox uses lowercase parameter names, as shown in the box (''at right''). The mandatory ''name'' and ''title'' will create a one-line box if other parameters are omitted.
Notice "group1" (etc.) is optional, as are sections named "above/below".
{{-}}
The basic and most common parameters are as follows (see below for the full list):
:<code>bodyclass -</code> applies an HTML <code>class</code> attribute to the entire navbox.
:<code>name -</code> the name of the template.
:<code>title -</code> text in the title bar, such as: <nowiki>[[Widget stuff]]</nowiki>.
:<code>titleclass -</code> applies an HTML <code>class</code> attribute to the title bar.
:<code>state - autocollapse, uncollapsed, collapsed</code>: the status of box expansion, where "autocollapse" hides stacked navboxes automatically.
:<code>titlestyle - </code>a CSS style for the title-bar, such as: <code>background:gray;</code>
:<code>groupstyle - </code>a CSS style for the group-cells, such as: <code>background:#eee;</code>
:<code>image - </code>an optional right-side image, coded as the whole image. Typically it is purely decorative, so it should be coded as <code><nowiki>[[Image:</nowiki><var>XX</var><nowiki>.jpg|90px|link=|alt=]]</nowiki></code>.
:<code>imageleft - </code>an optional left-side image (code the same as the "image" parameter).
:<code>above - </code>text to appear above the group/list section (could be a list of overall wikilinks).
:<code>group<sub>n</sub> - </code>the left-side text before list-n (if group-n omitted, list-n starts at left of box).
:<code>list<sub>n</sub> - </code>text listing wikilinks, often separated by middot templates, such as: [<nowiki />[A]]<code>{<nowiki />{·}}</code> [<nowiki />[B]]
:<code>below - </code>optional text to appear below the group/list section.
Further details, and complex restrictions, are explained below under section ''[[#Parameter descriptions|Parameter descriptions]]''. See some alternate navbox formats under: [[#Layout of table|''Layout of table'']].
== Parameter descriptions ==
The following is a complete list of parameters for using {{tl|Navbox}}. In most cases, the only required parameters are <code>name</code>, <code>title</code>, and <code>list1</code>, though [[Template:Navbox/doc#Child navboxes|child navboxes]] do not even require those to be set.
{{tl|Navbox}} shares numerous common parameter names as its sister templates {{tl|Navbox with columns}} and {{tl|Navbox with collapsible groups}} for consistency and ease of use. Parameters marked with an asterisk <nowiki>*</nowiki> are common to all three master templates.
=== Setup parameters ===
:; ''name''<nowiki>*</nowiki>
:: The name of the template, which is needed for the "v{{·}} d{{·}} e" ("view{{·}} discuss{{·}} edit") links to work properly on all pages where the template is used. You can enter <code><nowiki>{{subst:PAGENAME}}</nowiki></code> for this value as a shortcut. The name parameter is only mandatory if a <code>title</code> is specified, and the <code>border</code> parameter is not set.
:; ''state''<nowiki>*</nowiki> <span style="font-weight:normal;">[<code>autocollapse, uncollapsed, collapsed, plain, off</code>]</span>
:* Defaults to <code>autocollapse</code>. A navbox with <code>autocollapse</code> will start out collapsed if there are two or more tables on the same page that use other collapsible tables. Otherwise, the navbox will be expanded. For the technically minded, see {{Blue|MediaWiki:Common.js}}.
:* If set to <code>collapsed</code>, the navbox will always start out in a collapsed state.
:* If set to <code>plain</code>, the navbox will always be expanded with no [hide] link on the right, and the title will remain centered (by using padding to offset the <small>v • d • e</small> links).
:* If set to <code>off</code>, the navbox will always be expanded with no [hide] link on the right, but no padding will be used to keep the title centered. This is for advanced use only; the "plain" option should suffice for most applications where the [show]/[hide] button needs to be hidden.
:*If set to anything other than <code>autocollapse</code>, <code>collapsed</code>, <code>plain</code>, or <code>off</code> (such as "uncollapsed"), the navbox will always start out in an expanded state, but have the "hide" button.
: To show the box when standalone (non-included) but then auto-hide contents when in an article, put "uncollapsed" inside <noinclude> tags:
:* <code>state = </code><nowiki><noinclude>uncollapsed</noinclude></nowiki>
:* That setting will force the box visible when standalone (even when followed by other boxes), displaying "[hide]" but then auto-collapse the box when stacked inside an article.
: Often times, editors will want a default initial state for a navbox, which may be overridden in an article. Here is the trick to do this:
:*In your intermediate template, create a parameter also named "state" as a pass-through like this:
:*<code><nowiki>| state = {{{state<includeonly>|your_desired_initial_state</includeonly>}}}</nowiki></code>
:*The <nowiki><includeonly>|</nowiki> will make the template expanded when viewing the template page by itself.
:; ''navbar''<nowiki>*</nowiki>
:: Defaults to <code>Tnavbar</code>. If set to <code>plain</code>, the <small>v • d • e</small> links on the left side of the titlebar will not be displayed, and padding will be automatically used to keep the title centered. Use <code>off</code> to remove the <small>v • d • e</small> links, but not apply padding (this is for advanced use only; the "plain" option should suffice for most applications where a navbar is not desired). Note that it is highly recommended that one does not hide the navbar, in order to make it easier for users to edit the template, and to keep a standard style across pages.
:; ''border''<nowiki>*</nowiki>
:: ''See section below on using navboxes within one another for examples and a more complete description.'' If set to <code>child</code> or <code>subgroup</code>, then the navbox can be used as a borderless child that fits snuggly in another navbox. The border is hidden and there is no padding on the sides of the table, so it fits into the ''list'' area of its parent navbox. If set to <code>none</code>, then the border is hidden and padding is removed, and the navbox may be used as a child of another container (do not use the <code>none</code> option inside of another navbox; similarly, only use the <code>child</code>/<code>subgroup</code> option inside of another navbox). If set to anything else (default), then a regular navbox is displayed with a 1px border. An alternate way to specify the border to be a subgroup style is like this (i.e. use the first unnamed parameter instead of the named ''border'' parameter):
:::<code><nowiki>{{Navbox|child</nowiki></code>
::::<code>...</code>
:::<code><nowiki>}}</nowiki></code>
=== Cells ===
:; ''title''<nowiki>*</nowiki>
:: Text that appears centered in the top row of the table. It is usually the template's topic, i.e. a succinct description of the body contents. This should be a single line, but if a second line is needed, use <code><nowiki>{{-}}</nowiki></code> to ensure proper centering. This parameter is technically not mandatory, but using {{tl|Navbox}} is rather pointless without a title.
:; ''group<sub>n</sub>''<nowiki>*</nowiki>
:: (i.e. ''group1'', ''group2'', etc.) If specified, text appears in a header cell displayed to the left of ''list<sub>n</sub>''. If omitted, ''list<sub>n</sub>'' uses the full width of the table.
:; ''list<sub>n</sub>''<nowiki>*</nowiki>
:: (i.e. ''list1'', ''list2'', etc.) The body of the template, usually a list of links. Format is inline, although the text can be entered on separate lines if the entire list is enclosed within <code><nowiki><div> </div></nowiki></code>. At least one ''list'' parameter is required; each additional ''list'' is displayed in a separate row of the table. Each ''list<sub>n</sub>'' may be preceded by a corresponding ''group<sub>n</sub>'' parameter, if provided (see below).
:; ''image''<nowiki>*</nowiki>
:: An image to be displayed in a cell below the title and to the right of the body (the groups/lists). For the image to display properly, the ''list1'' parameter must be specified. The ''image'' parameter accepts standard wikicode for displaying an image, ''e.g.'':
::: <code><nowiki>[[Image:</nowiki><var>XX</var><nowiki>.jpg|90px|link=|alt=]]</nowiki></code>
:; ''imageleft''<nowiki>*</nowiki>
:: An image to be displayed in a cell below the title and to the left of the body (lists). For the image to display properly, the ''list1'' parameter must be specified and no groups can be specified. It accepts the same sort of parameter that ''image'' accepts.
:; ''above''<nowiki>*</nowiki>
:: A full-width cell displayed between the titlebar and first group/list, i.e. ''above'' the template's body (groups, lists and image). In a template without an image, ''above'' behaves in the same way as the ''list1'' parameter without the ''group1'' parameter.
:; ''below''<nowiki>*</nowiki>
:: A full-width cell displayed ''below'' the template's body (groups, lists and image). In a template without an image, ''below'' behaves in the same way as the template's final ''list<sub>n</sub>'' parameter without a ''group<sub>n</sub>'' parameter.
=== Style parameters ===
Styles are generally not recommended as to maintain consistency among templates and pages in Wikipedia. However, the option to modify styles is given.
:; ''style''<nowiki>*</nowiki>
:: Specifies CSS styles to apply to the template body. The parameter ''bodystyle'' also does the example same thing and can be used in place of this ''style'' parameter. This option should be used sparingly as it can lead to visual inconsistencies. Examples:
::: <code>style = background:#''nnnnnn'';</code>
::: <code>style = width:''N'' [em/%/px or width:auto];</code>
::: <code>style = float:[''left/right/none''];</code>
::: <code>style = clear:[''right/left/both/none''];</code>
:; ''basestyle''<nowiki>*</nowiki>
:: CSS styles to apply to the ''title'', ''above'', ''below'', and ''group'' cells all at once. The style are not applied to ''list'' cells. This is convenient for easily changing the basic color of the navbox without having to repeat the style specifications for the different parts of the navbox. Examples:
::: <code>basestyle = background:lightskyblue;</code>
:; ''titlestyle''<nowiki>*</nowiki>
:: CSS styles to apply to ''title'', most often the titlebar's background color:
::: <code><nowiki>titlestyle = background:</nowiki>''#nnnnnn'';</code>
::: <code><nowiki>titlestyle = background:</nowiki>''name'';</code>
:; ''groupstyle''<nowiki>*</nowiki>
:: CSS styles to apply to the ''groupN'' cells. This option overrides any styles that are applied to the entire table. Examples:
::: <code>groupstyle = background:#''nnnnnn'';</code>
::: <code>groupstyle = text-align:[''left/center/right''];</code>
::: <code>groupstyle = vertical-align:[''top/middle/bottom''];</code>
:; ''group<sub>n</sub>style''<nowiki>*</nowiki>
:: CSS styles to apply to a specific group, in addition to any styles specified by the ''groupstyle'' parameter. This parameter should only be used when absolutely necessary in order to maintain standardization and simplicity. Examples:
::: <code>group3style = background:red;color:white;</code>
:; ''liststyle''<nowiki>*</nowiki>
:: CSS styles to apply to all lists. Overruled by the ''oddstyle'' and ''evenstyle'' parameters (if specified) below. When using backgound colors in the navbox, see the [[#Intricacies|note below]].
:; ''list<sub>n</sub>style''<nowiki>*</nowiki>
:: CSS styles to apply to a specific list, in addition to any styles specified by the ''liststyle'' parameter. This parameter should only be used when absolutely necessary in order to maintain standardization and simplicity. Examples:
::: <code>list5style = background:#ddddff;</code>
:; ''listpadding''<nowiki>*</nowiki>
:: A number and unit specifying the padding in each ''list'' cell. The ''list'' cells come equipped with a default padding of 0.25em on the left and right, and 0em on the top and bottom. Due to complex technical reasons, simply setting "liststyle=padding:0.5em;" (or any other padding setting) will not work. Examples:
::: <code>listpadding = 0.5em 0em; </code> (sets 0.5em padding for the left/right, and 0em padding for the top/bottom.)
::: <code>listpadding = 0em; </code> (removes all list padding.)
:; ''oddstyle''
:; ''evenstyle''
::Applies to odd/even list numbers. Overrules styles defined by ''liststyle''. The default behavior is to add striped colors (white and gray) to odd/even rows, respectively, in order to improve readability. These should not be changed except in extraordinary circumstances.
:; ''evenodd'' <span style="font-weight:normal;"><code>[swap, even, odd, off]</code></span>
:: If set to <code>swap</code>, then the automatic striping of even and odd rows is reversed. Normally, even rows get a light gray background for striping; when this parameter is used, the odd rows receive the gray striping instead of the even rows. Setting to <code>even</code> or <code>odd</code> sets all rows to have that striping color. Setting to <code>off</code> disables automatic row striping. This advanced parameter should only be used to fix problems when the navbox is being used as a child of another navbox and the stripes do not match up. Examples and a further description can be found in the section on child navboxes below.
:; ''abovestyle''<nowiki>*</nowiki>
:; ''belowstyle''<nowiki>*</nowiki>
:: CSS styles to apply to the top cell (specified via the ''above'' parameter) and bottom cell (specified via the ''below'' parameter). Typically used to set background color or text alignment:
::: <code>abovestyle = background:#''nnnnnn'';</code>
::: <code>abovestyle = text-align:[''left/center/right''];</code>
:; ''imagestyle''<nowiki>*</nowiki>
:; ''imageleftstyle''<nowiki>*</nowiki>
:: CSS styles to apply to the cells where the image/imageleft sits. These styles should only be used in exceptional circumstances, usually to fix width problems if the width of groups is set and the width of the image cell grows too large. Examples:
::: <code>imagestyle = width:5em;</code>
===== Default styles =====
The style settings listed here are those that editors using the navbox change most often. The other more complex style settings were left out of this list to keep it simple. Most styles are set in {{Blue|MediaWiki:Common.css}}.
:<code>bodystyle = background:#fdfdfd; width:100%; vertical-align:middle;</code>
:<code>titlestyle = background:#ccccff; padding-left:1em; padding-right:1em; text-align:center;</code>
:<code>abovestyle = background:#ddddff; padding-left:1em; padding-right:1em; text-align:center;</code>
:<code>belowstyle = background:#ddddff; padding-left:1em; padding-right:1em; text-align:center;</code>
:<code>groupstyle = background:#ddddff; padding-left:1em; padding-right:1em; text-align:right;</code>
:<code>liststyle = background:transparent; text-align:left/center;</code>
:<code>oddstyle = background:transparent;</code>
:<code>evenstyle = background:#f7f7f7;</code>
Since ''liststyle'' and ''oddstyle'' are transparent odd lists have the color of the ''bodystyle'', which defaults to #fdfdfd (white with a hint of gray). A list has <code>text-align:left;</code> if it has a group, if not it has <code>text-align:center;</code>. Since only ''bodystyle'' has a vertical-align all the others inherit its <code>vertical-align:middle;</code>.
=== Advanced parameters ===
:; ''titlegroup''
:: This puts a group in the title area, with the same default styles as ''group<sub>n</sub>''. It should be used only in exceptional circumstances (usually advanced meta-templates) and its use requires some knowledge of the internal code of {{tl|Navbox}}; you should be ready to manually set up CSS styles to get everything to work properly if you wish to use it. If you think you have an application for this parameter, it might be best to change your mind, or consult the talk page first.
:; ''titlegroupstyle''
:: The styles for the titlegroup cell.
:; ''innerstyle''
:: A very advanced parameter to be used ''only'' for advanced meta-templates employing the navbox. Internally, the navbox uses an outer table to draw the border, and then an inner table for everything else (title/above/groups/lists/below/images, etc.). The ''style''/''bodystyle'' parameter sets the style for the outer table, which the inner table inherits, but in advanced cases (meta-templates) it may be necessary to directly set the style for the inner table. This parameter provides access to that inner table so styles can be applied. Use at your own risk.
====Microformats====
;bodyclass : This parameter is inserted into the "class" attribute for the infobox as a whole.
;titleclass : This parameter is inserted into the "class" attribute for the infobox's title caption.
This template supports the addition of microformat information. This is done by adding "class" attributes to various data cells, indicating what kind of information is contained within. To flag a navbox as containing [[w:hCard|hCard]] information about a person, for example, add the following parameter:
<pre>
|bodyclass = vcard
</pre>
''and''
<pre>
|titleclass = fn
</pre>
''or'' (for example):
<pre><nowiki>
|title = The books of <span class="fn">[[Iain Banks]]</span>
</nowiki></pre>
...and so forth.
== Layout of table ==
Table generated by {{tl|Navbox}} '''without''' ''image'', ''above'' and ''below'' parameters (gray list background color added for illustration only):
{{Navbox
|name = Navbox/doc
|state = uncollapsed
|liststyle = background:silver;
|title = {{{title}}}
|group1 = {{{group1}}}
|list1 = {{{list1}}}
|group2 = {{{group2}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}} ''without {{{group3}}}''
|group4 = {{{group4}}}
|list4 = {{{list4}}}
}}
Table generated by {{tl|Navbox}} '''with''' ''image'', ''above'' and ''below'' parameters (gray list background color added for illustration only):
{{Navbox
|name = Navbox/doc
|state = uncollapsed
|liststyle = background:silver;
|image = {{{image}}}
|title = {{{title}}}
|above = {{{above}}}
|group1 = {{{group1}}}
|list1 = {{{list1}}}
|group2 = {{{group2}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}} ''without {{{group3}}}''
|group4 = {{{group4}}}
|list4 = {{{list4}}}
|below = {{{below}}}
}}
Table generated by {{tl|Navbox}} '''with''' ''image'', ''imageleft'', ''lists'', and '''without''' ''groups'', ''above'', ''below'' (gray list background color added for illustration only):
{{Navbox
|name = Navbox/doc
|state = uncollapsed
|liststyle = background:silver;
|image = {{{image}}}
|imageleft = {{{imageleft}}}
|title = {{{title}}}
|list1 = {{{list1}}}
|list2 = {{{list2}}}
|list3 = {{{list3}}}
|list4 = {{{list4}}}
}}
== Technical details ==
*This template uses CSS classes for most of its looks, thus it is fully skinnable.
*Internally this meta template uses HTML markup instead of wiki markup for the table code. That is the usual way we make meta templates since wiki markup has several drawbacks. For instance it makes it harder to use [[m:Help:ParserFunctions|parser functions]] and special characters in parameters.
*For more technical details see the CSS classes in {{Blue|MediaWiki:Common.css}} and the collapsible table used to hide the box in {{Blue|MediaWiki:Common.js}}.
=== Intricacies ===
*The 2px wide border between groups and lists is drawn using the border-left property of the list cell. Thus, if you wish to change the background color of the template (for example <code>bodystyle = background:purple;</code>), then you'll need to make the border-left-color match the background color (i.e. <code>liststyle = border-left-color:purple;</code>). If you wish to have a border around each list cell, then the 2px border between the list cells and group cells will disappear; you'll have to come up with your own solution.
*The list cell width is initially set to 100%. Thus, if you wish to manually set the width of group cells, you'll need to also specify the liststyle to have width:auto. If you wish to set the group width and use images, it's up to you to figure out the CSS in the groupstyle, liststyle, imagestyle, and imageleftstyle parameters to get everything to work correctly. Example of setting group width:
::<code>groupstyle = width:10em;</code>
::<code>liststyle = width:auto;</code>
*Adjacent navboxes have only a 1 pixel border between them (except in IE6, which doesn't support the necessary CSS). If you set the top or bottom margin of <code>style/bodystyle</code>, then this will not work.
*The default margin-left and margin-right of the outer navbox table are set to "auto;". If you wish to use navbox as a float, you need to manually set the margin-left and margin-right values, because the auto margins interfere with the float option. For example, add the following code to use the navbox as a float:
::<code>style = width:22em;float:right;margin-left:1em;margin-right:0em;</code>
== TemplateData ==
{{TemplateData header}}
<templatedata>
{
"format": "block",
"description": "This template allows a navigational template to be set up relatively quickly by supplying it one or more lists of links.",
"params": {
"image": {
"label": "Image",
"type": "wiki-file-name"
},
"imageleft": {
"label": "Image left",
"type": "wiki-file-name"
},
"name": {
"label": "Template Name",
"description": "The name of the template that creates this navbox.",
"autovalue": "{{subst:PAGENAME}}",
"suggested": true,
"type": "wiki-template-name"
},
"title": {
"label": "Title",
"type": "string"
},
"above": {
"label": "Content above",
"type": "content"
},
"group1": {
"label": "Group #1",
"type": "string"
},
"list1": {
"label": "List #1"
},
"group2": {
"label": "Group 2",
"type": "string"
},
"list2": {
"label": "List #2",
"type": "content"
},
"list3": {
"label": "List #3",
"type": "content"
},
"group3": {
"label": "Group #3",
"type": "string"
},
"group4": {
"label": "Group #4",
"type": "string"
},
"list4": {
"label": "List #4",
"type": "content"
},
"group5": {
"label": "Group #5",
"type": "string"
},
"list5": {
"label": "List #5",
"type": "content"
},
"group6": {
"label": "Group #6",
"type": "string"
},
"list6": {
"label": "List #6",
"type": "content"
},
"group7": {
"label": "Group #7",
"type": "string"
},
"list7": {
"label": "List #7",
"type": "content"
},
"group8": {
"label": "Group #8",
"type": "string"
},
"list8": {
"label": "List #8",
"type": "content"
},
"group9": {
"label": "Group #9",
"type": "string"
},
"list9": {
"label": "List #9",
"type": "content"
},
"group10": {
"label": "Group #10",
"type": "string"
},
"list10": {
"label": "List #10",
"type": "content"
},
"group11": {
"label": "Group #11",
"type": "string"
},
"list11": {
"label": "List #11",
"type": "content"
},
"group12": {
"label": "Group #12",
"type": "string"
},
"list12": {
"label": "List #12",
"type": "content"
},
"group13": {
"label": "Group #13",
"type": "string"
},
"list13": {
"label": "List #13",
"type": "content"
},
"group14": {
"label": "Group #14",
"type": "string"
},
"list14": {
"label": "List #14",
"type": "content"
},
"group15": {
"label": "Group #15",
"type": "string"
},
"list15": {
"label": "List #15",
"type": "content"
},
"group16": {
"label": "Group #16",
"type": "string"
},
"list16": {
"label": "List #16",
"type": "content"
},
"group17": {
"label": "Group #17",
"type": "string"
},
"list17": {
"label": "List #17",
"type": "content"
},
"group18": {
"label": "Group #18",
"type": "string"
},
"list18": {
"label": "List #18",
"type": "content"
},
"group19": {
"label": "Group #19",
"type": "string"
},
"list19": {
"label": "List #19",
"type": "content"
},
"group20": {
"label": "Group #20",
"type": "string"
},
"list20": {
"label": "List #20",
"type": "content"
},
"below": {
"label": "Content below",
"type": "content"
}
},
"paramOrder": [
"name",
"title",
"image",
"imageleft",
"above",
"group1",
"list1",
"group2",
"list2",
"group3",
"list3",
"group4",
"list4",
"group5",
"list5",
"group6",
"list6",
"group7",
"list7",
"group8",
"list8",
"group9",
"list9",
"group10",
"list10",
"group11",
"list11",
"group12",
"list12",
"group13",
"list13",
"group14",
"list14",
"group15",
"list15",
"group16",
"list16",
"group17",
"list17",
"group18",
"list18",
"group19",
"list19",
"group20",
"list20",
"below"
]
}
</templatedata>
<includeonly>{{Sandbox other||
<!--Categories-->
[[Category:Formatting templates| ]]
<!--Other languages-->
}}</includeonly>
8421f883c907619e74589cf70e7d4309f21d9dfd
File:TheSsumApp logo.png
6
155
451
2022-08-31T16:45:41Z
YumaRowen
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
The Ssum: Forbidden Lab
0
104
452
358
2022-08-31T23:07:16Z
YumaRowen
3
fixed typo!
wikitext
text/x-wiki
{{WorkInProgress}}
{|class="infobox" style="width:30%; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;float:right;"
|-
|colspan=2 style="font-size:150%;"|<div style="background:rgba(139, 97, 194,0.3)>'''The Ssum:<br>Forbidden Lab'''</div>
|-
|colspan=2|[[File:TheSsumApp_logo.png|180px|center]]
|-
|'''Developer''' || [[Cheritz]]
|-
|'''Release Date''' || August 17, 2022
|-
|'''Genre'''||Simulation
|-
|colspan=2|[https://play.google.com/store/apps/details?id=com.Cheritz.TheSsum.ForbiddenLab Android]<br> [https://apps.apple.com/ca/app/the-ssum-forbidden-lab/id1465547736 iOS]
|}
The Ssum: Forbidden Lab is an otome game created by [[Cheritz]], released on August 17, 2022.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] was also launched in two countries in April 2018.
=== Features ===
=== Development ===
The Ssum has been announced in March 2018, as the newest game from [[Cheritz]]. Taking the core gameplay from Mystic Messenger, a chatting game. Its core feature that made it differ from Mystic Messenger was its "infinite, no bad endings" gameplay. It was supposed to release on March 31st, 2018, but was delayed.<ref>[https://cheritzteam.tumblr.com/post/172438955958/announcement-notice-on-postponement-of-the <nowiki>[Announcement] Notice on Postponement of The Ssum’s Release & Opening Video Disclosure</nowiki>]</ref>
Cheritz also disclosed issues they had with the game, as it contained a lot of assets that required to be done by release. <br>''"Our Cheritz team is mainly consisted of game developers and we, therefore, lack the communication skills that a Marketing Director or a public relations specialist can provide us with."'' The old Opening Video was released with this post.
A [[The Ssum:Forbidden Lab/Beta|Beta Version]] released April 4th, 2018, only in Malaysia and India, that contained the first 14 days of gameplay.<ref>[https://cheritzteam.tumblr.com/post/172594617513/the-ssum-notice-on-beta-version-release-in <nowiki>Notice on Beta Version Release in Malaysia and India</nowiki>]</ref>
On November 7th, 2019; [[Cheritz]] announced that the [[The Ssum:Forbidden Lab/Beta|Beta Version]] would become unavailable after December 7th, 2019.<ref>[https://cheritzteam.tumblr.com/post/188873826913/the-ssum-the-ssum-soft-|<nowiki>The SSUM Soft Launch Termination Notice</nowiki>]</ref>
On March 21st, 2022; [[Cheritz]] announced the release date for The Ssum: Forbidden Lab of April 27th, 2022.<ref>[https://cheritzteam.tumblr.com/post/680232750316453888/the-ssum-notice-on-release-of-cheritzs-new <nowiki>Notice on Release of Cheritz’s New Title, ‘The Ssum’</nowiki>]</ref>
On April 14th, 2022; [[Cheritz]] announced a delay for The Ssum: Forbidden Lab, which would now be released on May 11th, 2022. The new Opening Video was released with this post.<ref>[https://cheritzteam.tumblr.com/post/681475067872493568/the-ssum-notice-on-delay-in-grand-launching <nowiki>Notice on Delay in Grand Launching & Opening Video Released</nowiki>]</ref>
On May 4th, 2022; [[Cheritz]] announced a second delay for The Ssum: Forbidden Lab, which would now be released in June 2022.<ref>[https://cheritzteam.tumblr.com/post/683294622938710016/the-ssum-forbidden-lab-notice-on-delay-in-the Notice on Delay in the Grand Launching]</ref>
On June 22th, 2022; [[Cheritz]] announced a third delay for The Ssum: Forbidden Lab, which would now be released in the second half of 2022. Cheritz explained this delay by ''"unexpected vacancy in our staff"'', as they decided to find new staff in order to keep the game up after release. Cheritz also says this is due to their ''"lack of attention to the influence that COVID-19 has brought upon the game industry"''.
<ref>[https://cheritzteam.tumblr.com/post/687733794070036480/the-ssum-notice-on-postponement-of-launching Notice on Postponement of Launching & Word of Apology and Q&A]</ref>
On August 3rd, 2022; [[Cheritz]] announced the final release date for The Ssum: Forbidden Lab, being August 17th, 2022. Along with it, the new Opening Video was posted, and the old one was deleted some days later.<ref name="SsumInfo">[https://cheritzteam.tumblr.com/post/691546733229031424/the-ssum-forbidden-lab-notice-on-the-ssum <nowiki>Notice on <The Ssum: Forbidden Lab> Official Launch Date and Promotion Video Release</nowiki>]</ref>
=== Reception ===
=== Staff List ===
==== March 2018 (Old Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - Old Opening Video
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Scenario Script by || Jinseo Park, Minjeong Kim, E Hyun Kim, Eunchong Jang
|-
| Game Designed by || Yoonji Shin, Haeyoung Go
|-
| Artwork by || Ilbo Sim, Jinhee Lee, Jihyeon Choi, Hyunju Na, Juhui Kim, Jaehee Hwang, Mirae Kang
|-
| Character Model by || Yuseung An
|-
| Character Voice by || Seughoon Seok
|-
| BGM Composed by || Flaming Heart
|-
| Translated by || Sunhee Moon, Minkyung Chi, SUngjae Choi, Junhee Kim
|-
| Programed by || Mansu Park, Marcos Arroyo, Rachel Tay, Soonyong Hong, Seungjin Lee, Myungjun Choi
|-
| Customer Service by || Sunkyeong Yun, Hyeseon Yang
|-
| Project Assisted by || Youngtak Lee, Heetae Lee, Yeonwoo Jung, Kyungha Kim, Kyungho Kim, Jihyun Jang, Hyejin Hong, Daniel Hong, Seunglim Hwang, Dakyoung Lee
|}
</center>
==== April 2022 (Opening Video) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - New Opening Video
|-
| Presented by || Cheritz Co,. Ltd.
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Heinrich Dortmann
|-
| Directing Assisted by || Eunchong Jang, Jihyun Seo
|-
| Scenario Written by || Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Summer Yoon, Youngran Moon
|-
| Program Coded by || Gunsoo Lee, Kukhwa Park, Moonhyuk Choi, Seungjin Lee, Wonbok Lee, Youngkwon Jeon
|-
| Art Illustrated by || Ilbo Sim, Jihyeon Choi, Minji Kim, Mirae Kang, Youngjoo You, Yura Lee
|-
| Sound Resourced by || Songhee Kim
|-
| Language Localized by || Minkyung Chi, Pilhwa Hong, Saenanseul Kim, Sorim Byeon
|-
| Communication with Users by || Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim
|-
| Project Assisted by || Heetea Lee, Junghee Choi
|-
| BGM Composed by || Flaming Heart
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Opening Movie by || Sangyong Park
|-
| Special Thanks to || KOCCA, Misoon Park, Nalee Yoo
|}
</center>
==== August 2022 (In-Game Credits as of August 31, 2022) ====
<center>
{| class="mw-collapsible mw-collapsed wikitable", style="width:80%"
|+ style="white-space:nowrap; border:1px solid; padding:3px;" | Credits - In-Game Credits
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assisted by || Jun Kim, Sooran Lee, Hyerim Park, Hyewon Min
|-
| Program Coded by || Moonhyuk Jang, Juseok Yoon, Haejin Hwang, Sanghun Han, Jeonghun Jang
|-
| Art Illustrated by || Yujin Kang, Youngjoo You, Suyeon Kim
|-
| Scenario Written by || Summer Yoon, Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park, ROGIA
|-
| Project Assisted by || Heetae Lee, Gui Zhenghao, Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim, Yeoreum Song, Jeny Kim
|-
| Language Localised by || Minkyung Chi
|-
| Teo Voice Acted by || Seunghoon Seok
|-
| Special Thanks to || Misoon Park, Nalee Yoo, Heinrich Dortmann, Eunchong Jang, Jihyun Seo, Jinseo Park, Lilly Hwang, Minjung Kim, Saerom Shin, Youngran Moon, Kukhwa Park, Myungjun Choi, Seungjin Lee, Wang Khung Kki, Wonbok Lee, Youngkwon Jeon, Ilbo Sim, Jihyon Choi, Minji Kim, Mirae Kang, Yura Lee, Songhee Kim, Pilhwa Hong, Saenanseul Kim, Sorim Byeon, Donghee Yoon, Joyce Hong, Sanghee An, Subin Kim, Seohyeon Jang, Rosaline Lee, Youn Changnoh, Eunchae Bae, Joeun Moon
|}
</center>
=== Version History ===
==== 1.0.0 ====
Check the [[The Ssum:Forbidden Lab/Beta|Beta Version]] page.
==== 1.0.1 ====
Initial Release.
==== 1.0.2 ====
[https://cheritzteam.tumblr.com/post/693076181589852160/the-ssum-v102-update Release Post (Tumblr)]
The update has been made on August 20 (KST).<br>10 Aurora Batteries were provided.
*Bug Fixes
**You can now link your Facebook account.
**You can now edit the link you submitted for ‘Spreading The Ssum’ event.
**The issue with notifications not arriving have been fixed.
**Other minor issues have been patched.
==== 1.0.3 ====
[https://cheritzteam.tumblr.com/post/693446695955169280/the-ssum-the-ssum-forbidden-lab-update Release Post (Tumblr)]
This update has been made on August 24 (KST).<br>5 Aurora Batteries were provided to everyone.
To all players who have waited at least 20 hours on the 4th day:
80 Aurora Batteries were also provided.
To players with the Rainbow/Aurora PIU-PIU subscriptions:
1 Time Machine Ticket and 300 Aurora Batteries were also provided.
*Bug Fixes
** To those who have been stabbing on the Moon Bunny… <br>Now you can move the Moon Bunny just by pressing.
**To those that received over 1000 supports…<br>The number of supports will be displayed by two decimal places if there are at least 1000 supports.
**To those that could not see their own comments made on the Bamboo Forest of Troubles…<br>Now the comments will be displayed correctly.
**To those who had no idea where to tap upon signing up to the app…<br>We added a feather to show where to sign.
**To those who have seen the end of the Shelter’s Refrigerator…<br>Now you will get to see only what you can see.
**Renewal on planet designs and bug fixes
**Bug that causes speedy level-up for some lab participants has been fixed.
**Push notification has been fixed.
==== 1.0.4 ====
[https://cheritzteam.tumblr.com/post/693622583302782976/the-ssum-the-ssum-forbidden-lab-update-268 Release Post (Tumblr)]
This update has been made on August 26 (KST).
* Bug Fixes
**To those who had their PIU-PIU’s Belly full and could not incubate…<br>We made sure the emergency power supply for the Incubator will function properly.
**To those who could not read the private flyers due to printing error…<br>We made sure the private contents will not overlap with the ID number for the believers.
<br>To those who had difficulty communicating because PIU-PIU’s texts were too small on their My Page…<br>We asked PIU-PIU to speak in bigger texts.
**To those who could not compose despite staying away from inappropriate language… <br>We fixed the auto-detect algorithms for inappropriate language.
**We fixed the characters incorrectly displayed on the UI.
**We fixed the bugs and improved the planetary designs.
==== 1.0.5 ====
[https://cheritzteam.tumblr.com/post/693880410077265920/the-ssum-the-ssum-forbidden-lab-update-298 Release Post (Tumblr)] This update has been made on August 29 (KST).
* Bug Fixes
**To those who have spent only 2 days with their special ssum-one yet saw number ‘3’ on their app…<br>We made sure the Day configuration would remember the meaning of number ‘2.’
**To those who were confused with the day configuration of the Time Machine…<br>We made sure the day configuration on the Time Machine would be identical to that on the main screen.
**To those who found their labs out of power once they have returned from their studies on the Infinite Universe…<br>We made sure the screen won’t turn dark once they make their return to the Forbidden Lab.
**We fixed the bugs and improved the planetary designs.
=== Gallery ===
==== New Opening Video ====
<center><youtube width=640 height=360>1cIGOUSZpFk</youtube></center>
==== Old Opening Video ====
<nowiki>*</nowiki> The video has been taken down by [[Cheritz]]. This is a non-official reupload with the original video untouched.
<center><youtube width=640 height=360>Jj8R1cAdCyI</youtube></center>
8efedad3075e9faa61b4d6051019daee0a73450c
Space Creatures
0
29
453
259
2022-09-02T13:27:23Z
User135
5
Changed the page design, added tables for species
wikitext
text/x-wiki
{{WorkInProgress}}
==All Area==
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer_creature.png|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
|<gallery mode="packed-hover">
Image:Aerial_Whale_creature.png|''[[Aerial_Whale|Aerial Whale]]'' </gallery> || TBA || TBA
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
== Area ==
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
== Legend ==
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
46fad4d998c5b7c0e93af5beee84c9c1982e4bb4
455
453
2022-09-02T18:47:33Z
User135
5
Added Beginner's Guide
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer_creature.png|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
|<gallery mode="packed-hover">
Image:Aerial_Whale_creature.png|''[[Aerial_Whale|Aerial Whale]]'' </gallery> || TBA || TBA
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
86de7f69ec990ef9d1f767d5a629b0115877603d
Teo
0
3
454
286
2022-09-02T13:46:46Z
User135
5
/* Trivia */ Changed some wording for sentences to make them similar to loading screen's
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
== Gallery ==
dbc83a1f075b5a7b0aaff8757eb9a2e47d12f67a
Planets
0
44
456
218
2022-09-02T18:55:19Z
User135
5
/* Frequency Planets */ Added other planets
wikitext
text/x-wiki
There are planets you can unlock by repeateadly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planets/City_of_Free_Men]]<br>'''[[Planets/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planets/Root of Desire]]<br>'''[[Planets/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|150px|link=Planets/Canals of Sensitivity]]<br>'''[[Planets/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planets/Mountains of Wandering Humor]]<br>'''[[Planets/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planets/Milky Way of Gratitude]]<br>'''[[Planets/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planets/Archive of Terran Info]]<br>'''[[Planets/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|150px|link=Planets/Bamboo Forest of Troubles]]<br>'''[[Planets/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planets/Archive of Sentences]]<br>'''[[Planets/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|150px|link=Planets/Vanas]]<br>'''[[Planets/Vanas|Vanas]]''' || [[File:Mewry_Planet.png|150px|link=Planets/Mewry]]<br>'''[[Planets/Mewry|Mewry]]'''
|-
|[[File:Crotune_Planet.png|150px|link=Planets/Crotune]]<br>'''[[Planets/Crotune|Crotune]]''' || [[File:Tolup_Planet.png|150px|link=Planets/Tolup]]<br>'''[[Planets/Tolup|Tolup]]'''
|-
|[[File:Cloudi_Planet.png|150px|link=Planets/Cloudi]]<br>'''[[Planets/Cloudi|Cloudi]]''' || [[File:Burny_Planet.png|150px|link=Planets/Burny]]<br>'''[[Planets/Burny|Burny]]'''
|-
|[[File:Pi_Planet.png|150px|link=Planets/Pi]]<br>'''[[Planets/Pi|Pi]]''' || [[File:Momint_Planet.png|150px|link=Planets/Momint]]<br>'''[[Planets/Momint|Momint]]'''
|}
ba1ecd0f2a0a62bd24e843fd4102c9fb9d048a89
File:Tolup Planet.png
6
156
457
2022-09-07T16:14:17Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Root of Desire Planet.png
6
157
458
2022-09-07T16:16:00Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Canals of Sensitivity Planet.png
6
158
459
2022-09-07T16:16:42Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Burny Planet.png
6
159
460
2022-09-07T16:17:46Z
User135
5
.
wikitext
text/x-wiki
== Summary ==
.
13efcd3c61845ac936ad8e89c93d00ed4a760a36
File:Momint Planet.png
6
160
461
2022-09-07T16:18:32Z
User135
5
.
wikitext
text/x-wiki
== Summary ==
.
13efcd3c61845ac936ad8e89c93d00ed4a760a36
File:Cloudi Planet.png
6
161
462
2022-09-07T16:20:52Z
User135
5
.
wikitext
text/x-wiki
== Summary ==
.
13efcd3c61845ac936ad8e89c93d00ed4a760a36
File:Pi Planet.png
6
162
463
2022-09-07T16:21:26Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Crotune Planet.png
6
163
464
2022-09-07T16:21:47Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vanas Planet.png
6
164
465
2022-09-07T16:23:25Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Mewry Planet.png
6
165
466
2022-09-07T16:24:34Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Planets
0
44
467
456
2022-09-07T16:30:52Z
User135
5
Changed some image sizes, corrected a typo
wikitext
text/x-wiki
There are planets you can unlock by repeatedly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planets/City_of_Free_Men]]<br>'''[[Planets/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planets/Root of Desire]]<br>'''[[Planets/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|200px|link=Planets/Canals of Sensitivity]]<br>'''[[Planets/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planets/Mountains of Wandering Humor]]<br>'''[[Planets/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planets/Milky Way of Gratitude]]<br>'''[[Planets/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planets/Archive of Terran Info]]<br>'''[[Planets/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|140px|link=Planets/Bamboo Forest of Troubles]]<br>'''[[Planets/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planets/Archive of Sentences]]<br>'''[[Planets/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Frequency Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|120px|link=Planets/Vanas]]<br>'''[[Planets/Vanas|Vanas]]''' || [[File:Mewry_Planet.png|150px|link=Planets/Mewry]]<br>'''[[Planets/Mewry|Mewry]]'''
|-
|[[File:Crotune_Planet.png|150px|link=Planets/Crotune]]<br>'''[[Planets/Crotune|Crotune]]''' || [[File:Tolup_Planet.png|140px|link=Planets/Tolup]]<br>'''[[Planets/Tolup|Tolup]]'''
|-
|[[File:Cloudi_Planet.png|150px|link=Planets/Cloudi]]<br>'''[[Planets/Cloudi|Cloudi]]''' || [[File:Burny_Planet.png|150px|link=Planets/Burny]]<br>'''[[Planets/Burny|Burny]]'''
|-
|[[File:Pi_Planet.png|150px|link=Planets/Pi]]<br>'''[[Planets/Pi|Pi]]''' || [[File:Momint_Planet.png|150px|link=Planets/Momint]]<br>'''[[Planets/Momint|Momint]]'''
|}
46560c2a209cd89b9b494c01b849be859f2a7dee
503
467
2022-10-31T18:05:49Z
Hyobros
9
/* Seasonal Planets */
wikitext
text/x-wiki
There are planets you can unlock by repeatedly acquiring one specific [[Emotion]]/[[Frequency]].
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planets/City_of_Free_Men]]<br>'''[[Planets/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planets/Root of Desire]]<br>'''[[Planets/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|200px|link=Planets/Canals of Sensitivity]]<br>'''[[Planets/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planets/Mountains of Wandering Humor]]<br>'''[[Planets/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planets/Milky Way of Gratitude]]<br>'''[[Planets/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planets/Archive of Terran Info]]<br>'''[[Planets/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|140px|link=Planets/Bamboo Forest of Troubles]]<br>'''[[Planets/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planets/Archive of Sentences]]<br>'''[[Planets/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Seasonal Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|120px|link=Planets/Vanas]]<br>'''[[Planets/Vanas|Vanas]]''' || [[File:Mewry_Planet.png|150px|link=Planets/Mewry]]<br>'''[[Planets/Mewry|Mewry]]'''
|-
|[[File:Crotune_Planet.png|150px|link=Planets/Crotune]]<br>'''[[Planets/Crotune|Crotune]]''' || [[File:Tolup_Planet.png|140px|link=Planets/Tolup]]<br>'''[[Planets/Tolup|Tolup]]'''
|-
|[[File:Cloudi_Planet.png|150px|link=Planets/Cloudi]]<br>'''[[Planets/Cloudi|Cloudi]]''' || [[File:Burny_Planet.png|150px|link=Planets/Burny]]<br>'''[[Planets/Burny|Burny]]'''
|-
|[[File:Pi_Planet.png|150px|link=Planets/Pi]]<br>'''[[Planets/Pi|Pi]]''' || [[File:Momint_Planet.png|150px|link=Planets/Momint]]<br>'''[[Planets/Momint|Momint]]'''
|}
a545c117ea78e6a234f207b279c8d2c554dafe34
Trivial Features/Trivial
0
88
468
285
2022-10-25T14:43:31Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creatutre finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
}
29f67ceca62aa5a2a7963402a47bbec47b0f6db2
482
468
2022-10-25T15:52:04Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven'
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creatutre finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
}
2ccca2cb8e556b4dc61a60dd4d159b125998adff
500
482
2022-10-31T01:45:04Z
Hyobros
9
adding more entries, corrected a typo
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
}
22526a2da0c4e8995fb4f77b737a26d5a5057eca
515
500
2022-11-02T23:54:22Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time.
|}
fa77dc636bb6d026fb23def99de6c01cfbeb1a9e
File:Fuzzy Deer.gif
6
166
469
2022-10-25T14:47:15Z
Hyobros
9
A gif of the fuzzy deer creature. Credit to dataminessum on tumblr for getting the asset.
wikitext
text/x-wiki
== Summary ==
A gif of the fuzzy deer creature. Credit to dataminessum on tumblr for getting the asset.
8a33c67a431550935d1e23b475c6a4fe092dbed3
Planets/City of Free Men
0
51
470
204
2022-10-25T14:53:44Z
Hyobros
9
/* Description */
wikitext
text/x-wiki
== Description ==
"''In the City of Free Men, you can freely offer topics and ideas. Free men find delight in unpredictable topics that can relieve them from boredom.''"
This planet is most likely going to be the first planet you get to access. It takes 20 or 30 freedom to be bored emotions to unlock.
City of Free Men is essentially a general discussion board forum. On the main screen, there are rankings for the month's top posters, "My Page", "Bored", the "Hall of Fame", Today's Free Study, and Explore Labs.
'''My Page'''
'''Explore Labs'''
These are the forums. It costs 50 freedom to be bored emotions to post one. Users can comment on the post and react to one another's comments, but cannot react to the post itself. This format makes it so forums are meant for small discussions or questions.
f44e1c0fb2cef36fb31c85a55d5d0f53e0547295
471
470
2022-10-25T14:54:04Z
Hyobros
9
/* Description */
wikitext
text/x-wiki
== Description ==
"''In the City of Free Men, you can freely offer topics and ideas. Free men find delight in unpredictable topics that can relieve them from boredom.''"
This planet is most likely going to be the first planet you get to access. It takes 20 or 30 freedom to be bored emotions to unlock.
City of Free Men is essentially a general discussion board forum. On the main screen, there are rankings for the month's top posters, "My Page", "Bored", the "Hall of Fame", Today's Free Study, and Explore Labs.
'''My Page'''
'''Explore Labs'''
These are the forums. It costs 50 freedom to be bored emotions to post one. Users can comment on the post and react to one another's comments, but cannot react to the post itself. This format makes it so forums are meant for small discussions or questions.
3bcd907692b09c2e4b32d981402d1314cfb08225
Space Creatures
0
29
472
455
2022-10-25T15:01:30Z
Hyobros
9
/* Space Creatures and Where to Find Them */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
|<gallery mode="packed-hover">
Image:Aerial_Whale_creature.png|''[[Aerial_Whale|Aerial Whale]]'' </gallery> || TBA || TBA
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
a13c1a77b2b87c83bcdbad1bc6052cd82cb466ec
474
472
2022-10-25T15:12:51Z
Hyobros
9
/* All Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
1b4d45163f45f663c0479d9077da574e114cd41f
475
474
2022-10-25T15:14:52Z
Hyobros
9
/* All Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery> ||
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
fb5a8c9c2f900b679f43e184370e7fe3295be1f9
478
475
2022-10-25T15:23:38Z
Hyobros
9
/* All Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
ba8b8b11e14a5bf4b6874df99fc1a71a9fd37562
479
478
2022-10-25T15:25:24Z
Hyobros
9
/* All Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
a35123bf002365750f22a6e802c41c37bd15ae52
483
479
2022-10-26T16:54:14Z
Hyobros
9
/* All Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
526c525ef8cc50999f3e82d31d0a7d61bc1ad447
484
483
2022-10-26T17:13:42Z
Hyobros
9
/* Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Mewry
|-
|colspan="2" style="background:#33ccff" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:placeholder.png|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery> |
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
c69e2c1d1348dac8c63176f0ec4c0322326fe410
487
484
2022-10-26T20:10:54Z
Hyobros
9
/* Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#ccffff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:placeholder.png|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery> |
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
f58d11d82d69509043463002a78a1e3a73938399
499
487
2022-10-31T01:38:23Z
Hyobros
9
/* Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover"> Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery> || <gallery mode="packed-hover">Image:x.png|''[[TBA|TBA]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#ccffff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
e0840f9dec4657e83e809299df6a27915defa396
516
499
2022-11-03T20:40:23Z
User135
5
Added creature names
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#ccffff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="2" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:TBA.png|''[[TBA|TBA]]'' </gallery>
|}
2cd7630e116bdfbd70861f24bd43d4a3b7b25dd2
File:Aerial Whale Creature.gif
6
167
473
2022-10-25T15:08:44Z
Hyobros
9
A gif of the aerial whale creature. Credit to dataminessum on tumblr for ripping the asset.
wikitext
text/x-wiki
== Summary ==
A gif of the aerial whale creature. Credit to dataminessum on tumblr for ripping the asset.
109fa62109e7a2465828591e29fc134a96f5a5c9
File:Teddy Nerd Creature.gif
6
168
476
2022-10-25T15:18:21Z
Hyobros
9
A gif of teddy nerd. Credit to dataminessum on tumblr for ripping the asset.
wikitext
text/x-wiki
== Summary ==
A gif of teddy nerd. Credit to dataminessum on tumblr for ripping the asset.
26ae42a0d7759a080139400e77d471ed5125244b
File:Space Dog Creature.gif
6
169
477
2022-10-25T15:19:16Z
Hyobros
9
A gif of the space dog creature. Credit to dataminessum on tumblr for ripping the asset.
wikitext
text/x-wiki
== Summary ==
A gif of the space dog creature. Credit to dataminessum on tumblr for ripping the asset.
009c321dc161e8eee5112cfa5084504902d89c24
File:Aura Mermaid Creature.gif
6
170
480
2022-10-25T15:39:58Z
Hyobros
9
A gif of the aura mermaid creature. Credit to dataminessum on tumblr for ripping the asset.
wikitext
text/x-wiki
== Summary ==
A gif of the aura mermaid creature. Credit to dataminessum on tumblr for ripping the asset.
f016d93dda677fd10be9facd462eb793c8c48710
File:Immortal Turtle Creature.gif
6
171
481
2022-10-25T15:40:56Z
Hyobros
9
A gif of the immortal turtle creature. Credit to dataminessum on tumblr for ripping the asset.
wikitext
text/x-wiki
== Summary ==
A gif of the immortal turtle creature. Credit to dataminessum on tumblr for ripping the asset.
df8baa23d6e5d8094d7ea0b6997cc029936d45a9
Template:MainPageEnergyInfo
10
32
485
359
2022-10-26T18:36:04Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=10-26, 2022
|description=Philosophical energy is surging.
'May there be wisdom in my sight...'
'May my belief be true...'
|cusMessage=Today is theh day for each of you to study your personal philosophy. I hope you would enjoy it!}}
3e24249be5338cc9d3627a5f660ca5b3c8caa705
486
485
2022-10-26T19:44:35Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=10-26, 2022
|description=Philosophical energy is surging.
'May there be wisdom in my sight...'
'May my belief be true...'
|cusMessage=Today is the day for each of you to study your personal philosophy. I hope you would enjoy it!}}
a2bc562bac018d0ec7babb760ada00609f73d731
489
486
2022-10-27T17:18:18Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Peaceful
|date=10-27, 2022
|description=I hope Teo can make use of today's energy and send you warm energy...
|cusMessage=I hope peace and love will be with all lab participants around the world.}}
354e4bd0e9e7d579803586dfc37ed368b32e4a98
490
489
2022-10-28T13:56:43Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Passionate
|date=10-28, 2022
|description=A primal desire...? I believe you are discussing instincts, I hope one day you can get closer to your instincts.
|cusMessage=Today the lab participants all over the world once again amaze me with their passion. Thank you for your dedication tto your study.}}
5f4a44424bfe034ab418deb09275af52476bb511
493
490
2022-10-31T01:07:51Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Rainbow
|date=10-30, 2022
|description=Today you can get all kinds of energy available.
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.}}
c5b36b4e9c1d656897251781418373bbfeefdd10
501
493
2022-10-31T17:35:57Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Innocent
|date=10-31, 2022
|description=There is no right or wrong when it comes to sensitivity. So why not try to find your own sensitivity with no boundaries?
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.}}
cb456dcd9f5eb2c02fbfa9dafc4d720f67e63322
512
501
2022-11-01T14:57:12Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=11-1, 2022
|description=Even if you are hungry, your philosophy will drive you forward. Today why not check your personal philosophy in life?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
6a3f5d138821b27a24054cb26cff2d8c1e593a40
514
512
2022-11-02T15:19:11Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Logical
|date=11-1, 2022
|description=I picked up waves of logical energy...<br>'Hopefully there will be a weapon that will allow me to unleash my voice...'<br>'Hopefully impenetrable logics will protect me...'
|cusMessage=This study would not exist without logics. I hope you would have a logical study today.}}
980538b2e2b5a98dd1238e3fcf4c788136e3e506
Trivial Features/Bluff
0
172
488
2022-10-26T20:16:38Z
Hyobros
9
Created page with "<div> <i>description lol</i> </div> {|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;" ! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes |-"
wikitext
text/x-wiki
<div>
<i>description lol</i>
</div>
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
78ad25720f64f82ad4b34ddeec381595613925e5
Energy/Passionate Energy
0
7
494
99
2022-10-31T01:09:36Z
Hyobros
9
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| Apparently unleashing passion and desire can bring security to heart. If there is something you
|}
[[Category:Energy]]
a6980a9cd6a8a780a0dfd50356584bd5678c75f5
497
494
2022-10-31T01:32:19Z
Hyobros
9
adding more entries
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| |{{DailyEnergyInfo
|energyName=Passionate
|date=10-13, 2022
|description=A person full of this energy tends to feel comfortable with color red. What about you?
|cusMessage=Desire cannot be born from love, but it can lead to love. I look forward to your passionate data on love.}}
|-
|{{DailyEnergyInfo
|energyName=Passionate
|date=10-28, 2022
|description=A primal desire...? I believe you are discussing instincts, I hope you can get closer to your instincts.
|cusMessage=Today the lab participants all over the world once again amaze me with their passion. Thank you for your dedication to our study.}}
|-
|}
[[Category:Energy]]
c25c731dc95702985e61448184f2f84dc51e1f3b
Energy/Jolly Energy
0
9
495
103
2022-10-31T01:13:17Z
Hyobros
9
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Jolly
|date=8-20, 2022
|description=This energy is being emitted from a digital comedy video that features a comedian pulling a show of multiple characters.
|energyColor=#F1A977
|cusMessage=A Jolly Joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}} </center>
{{DailyEnergyInfo
|energyName=Jolly
|date=10-18, 2022
|description=Someone with jolly energy said 'It's not easy to make people laugh. Remember - don't think too hard!'
|energyColor=#F1A977
|cusMessage=Today we are giving priority to study data from funniest to lamest.
}}
|}
[[Category:Energy]]
8dac3eaf57f30146386898391e768401218d0dc1
Energy/Philosophical Energy
0
12
496
266
2022-10-31T01:26:16Z
Hyobros
9
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
== Daily Logs ==
{| class="mw-collapsible mw-collapsed wikitable" style="width:95%;margin-left: auto; margin-right: auto;"
!Daily Logs
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-29, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=10-26, 2022
|description=Philosophical energy is surging.<br>
'May there be wisdom in my sight...'<br>
'May my belief be true...'
|cusMessage=Today is the day for each of you to study your personal philosophy. I hope you would enjoy it!}}
|-
|}
[[Category:Energy]]
240f0c705e3c87e8ed9a42152223c1ffb1b44442
File:Emotions Cleaner Creature.gif
6
174
498
2022-10-31T01:35:56Z
Hyobros
9
A gif of the emotions cleaner creature. Credit to dataminessum on tumblr for ripping the asset.
wikitext
text/x-wiki
== Summary ==
A gif of the emotions cleaner creature. Credit to dataminessum on tumblr for ripping the asset.
cb46137f3e4b9cda81a4486dfa67ec6a06635e96
Planets/Vanas
0
86
502
235
2022-10-31T17:49:52Z
Hyobros
9
description
wikitext
text/x-wiki
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
ecdb2643ddf17741081d9d7228060c18ffcc506a
Beginners Guide
0
175
504
2022-10-31T18:31:34Z
Hyobros
9
Created page with "==Description== TBA ==Account Creation== When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking. ==Main Page== TBA ==Lab Screen== TBA"
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
TBA
==Lab Screen==
TBA
accdb7c7abc96f684699ee7d10691394da074404
Emotions Cleaner
0
176
505
2022-10-31T19:18:13Z
Hyobros
9
Created page with "''Emotions Cleaner cleans up emotions in the universe. So it is commonly found on planet Mewry, which comes with loads of sadness. Without this Creature, planet Mewry would be flooded with tears by now. If you are plagued by heavy emotions, you might want to ask this hard-working cleaner...''"
wikitext
text/x-wiki
''Emotions Cleaner cleans up emotions in the universe. So it is commonly found on planet Mewry, which comes with loads of sadness. Without this Creature, planet Mewry would be flooded with tears by now. If you are plagued by heavy emotions, you might want to ask this hard-working cleaner...''
264d84e53e016a5b4defd26e07acd93f43c8c8e0
506
505
2022-11-01T00:14:18Z
Hyobros
9
wikitext
text/x-wiki
''Emotions Cleaner cleans up emotions in the universe. So it is commonly found on planet Mewry, which comes with loads of sadness. Without this Creature, planet Mewry would be flooded with tears by now. If you are plagued by heavy emotions, you might want to ask this hard-working cleaner for help.''
39becb0063f64c477ef015953920da644a80977d
507
506
2022-11-01T00:18:06Z
Hyobros
9
wikitext
text/x-wiki
{{SpaceCreatures
|No=28
|Name=Emotions Cleaner
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=High
|Description=''Emotions Cleaner cleans up emotions in the universe. So it is commonly found on planet Mewry, which comes with loads of sadness. Without this Creature, planet Mewry would be flooded with tears by now. If you are plagued by heavy emotions, you might want to ask this hard-working cleaner for help.''
|Quotes=TBA
|Compatibility=TBA
}}
13747b52279894e62703f7b3129e504efc16f207
File:Emotions Cleaner Creature.png
6
178
509
2022-11-01T00:51:16Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Emotions Cleaner creature.png
6
179
510
2022-11-01T00:52:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:MainNavigation
10
109
511
349
2022-11-01T00:57:39Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{| class="wikitable" style="width:50%;border:2px solid rgba(0,0,0,0); text-align:center"
! style="width:20%;background-color:rgba(139, 97, 194,0.3);" | Main
|
*[[Characters]]
*[[Story]]
*[[Trivial Features]]
*[[Beginners Guide]]
|-
! style="width:20%;background-color:rgba(104, 126, 150,0.3)" | Forbidden Lab
|
*[[Planets]]
*[[Energy]]
*[[Space Creatures]]
|}
5d5f5b9e0ea2338f7268d73db75fec6c405c9e1a
Trivial Features/Clock
0
180
513
2022-11-01T15:47:44Z
Hyobros
9
Created page with "{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;" ! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes |- | [[2022_Halloween_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, ba..."
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[2022_Halloween_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
}
3e0b13b25fdfcaa3062baaa5e9ffe486b7600ca7
Space Creatures
0
29
517
516
2022-11-03T21:26:22Z
User135
5
Added creature names -2-
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Life Extender
|-
| colspan="3" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|-
| colspan="3" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Hi-Tech Organism
|-
| colspan="3" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:AI_Spaceship_creature.gif|''[[AI_Spaceship|AI Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#ccffff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_creature.png|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_creature.png|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_creature.png|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_creature.png|''[[Orion|Orion]]'' </gallery>
|}
eeee165b0791a1480f396c405b5e934a67f77d2d
Template:MainPageEnergyInfo
10
32
518
514
2022-11-04T18:19:47Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Peaceful
|date=11-4, 2022
|description=Peaceful energy will double if you share it through, for example, a warm piece of word or a phone call...♥
|cusMessage=We are grateful for everything today. And I hope you would have another happy day.}}
f22a5ea4b5a153d2c83a8740848ac6fb10ac89dd
530
518
2022-11-05T23:14:04Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Jolly
|date=11-5, 2022
|description=A massive amount off jolly energy is being emitted from a digital comedy video that features a comedian pulling a show of multiple characters.
|cusMessage=A Jolly Joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...}}
65848ee17e985764ce462b5921795130f49747b7
536
530
2022-11-06T22:02:50Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Rainbow
|date=11-6, 2022
|description=Today you can get all kinds of energy available.
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.}}
51e2b8a1cecaf2778cba88931eb12bc294e12b95
546
536
2022-11-07T14:10:56Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date=11-7, 2022
|description=Those that travel space dwell in the dimension higher than the Terran dimension. They are from wise species that did not let their science destroy them!
|cusMessage=Tonight the sky will be so beautiful. I hope you would look up at the sky at least once...}}
250f1141c841cd05ebdb6fb7ac2e22add42db996
552
546
2022-11-08T15:36:31Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Jolly
|date=11-8, 2022
|description=Someone with jolly energy said 'It's not easy to make people laugh. Remember - don't think too hard!'
|cusMessage=Today we are giving priority to study data from funniest to lamest.}}
bb13bddc45ed02a733c94c2b8f8e729fc9364b05
File:Dad Joke Generator Icon.png
6
181
519
2022-11-04T18:30:48Z
Hyobros
9
The icon for the "dad joke generator" trivial feature. Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
The icon for the "dad joke generator" trivial feature. Ripped by dataminessum on tumblr.
d3a1852207caa600959e4d43cf17e4f9fb53bc17
Trivial Features/Trivial
0
88
520
515
2022-11-04T18:34:08Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time.
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|}
639e5742d700fffa9fbc9426629a9ec9db0a9249
526
520
2022-11-05T00:16:32Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time.
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|}
a8da0280112182448bb263093e8f88e132c74759
532
526
2022-11-05T23:40:34Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time.
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|}
a5ff1f9bba1a733fbfd662b85abbc8fb5ebdde71
533
532
2022-11-06T01:19:39Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time.
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean.
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English.
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5.
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10.
|}
117de7e2133bb3e87d3cc36d96c04ae9a4378505
537
533
2022-11-07T00:01:18Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time.
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean.
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English.
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5.
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10.
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude.
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour.
|}
f0a2f97f5128ef46a88916691d55bd7cb4f6362c
544
537
2022-11-07T13:49:01Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
1310d68b40e038aab2c74915540d62d89edcc99f
File:Fib Enhancer Icon.png
6
182
521
2022-11-04T23:17:37Z
Hyobros
9
Icon for the "fib enhancer" trivial feature. Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
Icon for the "fib enhancer" trivial feature. Ripped by dataminessum on tumblr.
486bb39f7dcd0064021fbe136afe421c13e00ee3
File:Dont Take Serious Icon.png
6
183
522
2022-11-04T23:19:08Z
Hyobros
9
Icon for the "Don't take everything too seriously" trivial feature. Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
Icon for the "Don't take everything too seriously" trivial feature. Ripped by dataminessum on tumblr.
2e071eec1baa361743feb22c3f48c794cf30404a
File:No Joke No Life Icon.png
6
184
523
2022-11-04T23:20:05Z
Hyobros
9
Icon for the "No Joke No Life" trivial feature. Goes under "bluff". Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
Icon for the "No Joke No Life" trivial feature. Goes under "bluff". Ripped by dataminessum on tumblr.
3626b7b2b564dd14a7cb14efb42ad91b50791a56
File:Overwhelming Desire Icon.png
6
185
524
2022-11-04T23:21:04Z
Hyobros
9
Icon for the "overwhelming desire" trivial feature. Goes under "bluff". Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
Icon for the "overwhelming desire" trivial feature. Goes under "bluff". Ripped by dataminessum on tumblr.
25992cd35b9f471a00b2872ef03cf9c1b05e5d9c
File:Blast Freezer Icon.png
6
186
525
2022-11-04T23:25:22Z
Hyobros
9
Icon for the "Blast Freezer" trivial feature. Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
Icon for the "Blast Freezer" trivial feature. Ripped by dataminessum on tumblr.
49a5362492560d708df646b8d85996de31624efb
File:Animal Instincts Icon.png
6
187
527
2022-11-05T23:09:57Z
Hyobros
9
The icon for the "Animal Instincts" trivial feature. Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
The icon for the "Animal Instincts" trivial feature. Ripped by dataminessum on tumblr.
0fd405edff2242a0371b18f8e5e2dd4def4c3b20
File:Plant Some Flowers Icon.png
6
188
528
2022-11-05T23:10:59Z
Hyobros
9
The icon for the "Let's plant some flowers" trivial feature. Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
The icon for the "Let's plant some flowers" trivial feature. Ripped by dataminessum on tumblr.
f1e8b3ffa935d2facf5bfdfadb68ac22bd020d3d
File:Tell Me That Again Icon.png
6
189
529
2022-11-05T23:11:34Z
Hyobros
9
The icon for the "Tell me that again" trivial feature. Ripped by dataminessum on tumblr.
wikitext
text/x-wiki
== Summary ==
The icon for the "Tell me that again" trivial feature. Ripped by dataminessum on tumblr.
52d64f6e20bdf6f908c00589cb01f9305bbc5dc1
531
529
2022-11-05T23:15:47Z
Hyobros
9
/* Summary */
wikitext
text/x-wiki
== Summary ==
The icon for the "Tell me that again" trivial feature. Goes under "bluffs".
Ripped by dataminessum on tumblr.
2666f1b7cafaa14e6fdd3c1f3fa599c06524b058
Trivial Features/Bluff
0
172
534
488
2022-11-06T01:48:45Z
Cori
10
wikitext
text/x-wiki
<div>
<i>description lol</i>
</div>
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|}
1834c206e03b159c923bd7417e83f52f50d5f068
563
534
2022-11-08T19:11:12Z
Hyobros
9
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Highly Empathetic] Title || ???
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|}
b793d57f7d1e54fc569b28131d07bc026f1052e8
Trivial Features/Physical Labor
0
190
535
2022-11-06T02:04:20Z
Cori
10
Created page with "{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;" ! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes |}"
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
bf8413e50c3f330a5c87cc0f747effe733933b52
Trivial Features/Clock
0
180
538
513
2022-11-07T00:10:27Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[2022_Halloween_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more days.
|}
cb0a977d8a62eec9c443d1d36eb7c3c6e2b22998
545
538
2022-11-07T14:01:18Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[2022_Halloween_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|}
40296108b50ffc4830af893dc75e221c361b11ad
550
545
2022-11-08T14:31:55Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|}
1509d0afe1ace67618660e56018b696ddca7d137
551
550
2022-11-08T14:34:58Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|}
24c1dec99fb014301a60986742ce589a740cf80d
553
551
2022-11-08T15:42:10Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|}
3f4994218488c2c352fc7b05ebea3c3745763f63
554
553
2022-11-08T15:42:43Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [[File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|}
996520cf25c04b1ef0144872d998e75d78dae4a9
Moon Bunny
0
22
539
278
2022-11-07T00:14:01Z
Cori
10
wikitext
text/x-wiki
{{SpaceCreatures
|No=1
|Name=Moon Bunny
|PurchaseMethod=Energy
|Personality=Easygoing
|Tips=Low
|Description=The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|Quotes=TBA
|Compatibility=Space Sheep
}}
d15781a74aed031a129a2fd4caf566625b125740
540
539
2022-11-07T00:19:24Z
Cori
10
wikitext
text/x-wiki
{{SpaceCreatures
|No=1
|Name=Moon Bunny
|PurchaseMethod=Energy
|Personality=Easygoing
|Tips=Low
|Description=The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|Quotes="Is there a hairdryer here?"
"[Space Sheep] is my best friend! We eat carrots together!"
"Excuse me. I'd like to order a cup of carrot juice, please."
|Compatibility=Space Sheep
}}
0a7663486dc857425eb90cf04ef561fab7324bf4
541
540
2022-11-07T13:11:18Z
Cori
10
wikitext
text/x-wiki
{{SpaceCreatures
|No=1
|Name=Moon Bunny
|PurchaseMethod=Energy
|Personality=Easygoing
|Tips=Low
|Description=The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|Quotes="Is there a hairdryer here?"
"[Space Sheep] is my best friend! We eat carrots together!"
"Excuse me. I'd like to order a cup of carrot juice, please."
"I wish I could offer my ears to you!"
"[MC]!♡I'm hopping for joy!♡"
"You scare me, [Vanatic Grey Hornet]...! Don't be cruel to me...!"
|Compatibility=Likes: Space Sheep
Dislikes: Vanatic Grey Hornet
}}
491c4cb6b005dac53eec57f50ca855fcd273362b
Space Sheep
0
23
542
279
2022-11-07T13:17:01Z
Cori
10
wikitext
text/x-wiki
{{SpaceCreatures
|No=2
|Name=Space Sheep
|PurchaseMethod=Energy & Emotion
|Personality=Very rash
|Tips=Low
|Description= The wools floating in the space get infinite energy from the Space Sheep's hooves. They say the Space Sheep's infinite energy comes from their heart full of love.
|Quotes="Is there any other love than infinite love?"
"My hoof hurts a little..."
"Wasting more than half of the power."
"Shh...! Please, don't offend [Vanatic Grey Hornet]... If you do that... Sniffle...!"
|Compatibility=Dislikes: Vanatic Grey Hornet
}}
328afe3f09e693d493ce8b373585b6b0137e1944
Vanatic Grey Hornet
0
101
543
292
2022-11-07T13:23:44Z
Cori
10
wikitext
text/x-wiki
{{SpaceCreatures
|No=26
|Name=Vanatic Grey Hornet
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Very low
|Description=Did you know that the inner flesh of planet Vanas tastes like vanilla ice cream? (I understand even if you are not interested...) Vanatic Grey Hornets, exclusively native to planet Vanas, will rash at their mother planet with knives in their hands in order to grab a bite out of its sweet flesh, which comes with beige-colored pigments.
|Quotes="Sweet desserts are my home and the workplace."
"Banana ice cream is so good!"
"I can peel bananas with these hands of mine!"
"[Space Sheep]... Did you touch my ice cream?"
|Compatibility=Dislikes: Space Sheep
}}
926f0860664b36e62563901c622e3b58afa66189
File:Executive Director CR Icon.png
6
191
547
2022-11-08T14:27:55Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Handsome Musical Actor Icon.png
6
192
548
2022-11-08T14:30:53Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Halloween 2022 Icon.png
6
193
549
2022-11-08T14:31:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Nothing To Expect Icon.png
6
194
555
2022-11-08T15:43:01Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Text More Than Enough Icon.png
6
195
556
2022-11-08T15:43:31Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:You Just Saw An Ad Icon.png
6
196
557
2022-11-08T15:47:49Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Feeling Lonely Icon.png
6
197
558
2022-11-08T15:48:02Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Seven Days Icon.png
6
198
559
2022-11-08T15:48:19Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Thirty Days Icon.png
6
199
560
2022-11-08T15:48:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Beginners Guide
0
175
561
504
2022-11-08T16:17:51Z
Hyobros
9
/* Main Page */
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
<h3>Daily Energy</h3>
<h3>Time Machine</h3>
<h3>Gallery</h3>
<h3>Trivial Features</h3>
<h3>Private Account</h3>
<h3>Profile</h3>
<h3>Milky Way Calendar</h3>
<h3>Aurora LAB</h3>
==Lab Screen==
TBA
4ad5321d524adf2e6ee9b74ae8ae60cbc1f3cde6
562
561
2022-11-08T16:30:30Z
Hyobros
9
/* Main Page */
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
<h3>Daily Energy</h3>
<h3>Time Machine</h3>
<h3>Gallery</h3>
<h3>Trivial Features</h3>
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
<h3>Private Account</h3>
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
<h3>Profile</h3>
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each, but whether or not you have a heart can impact what day you get Teo’s confession (some got it on day 14, some got it on day 15).
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
<h3>Milky Way Calendar</h3>
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
<h3>Aurora LAB</h3>
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
TBA
41b54dd067ec822625ced7d2a8c390b694d006a8
File:Teo Behind The Lens Icon.png
6
200
564
2022-11-08T19:12:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dont Treat Kid Icon.png
6
201
565
2022-11-08T19:13:47Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Unpredictable Person Icon.png
6
202
566
2022-11-08T19:16:56Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Mood Swing Icon.png
6
203
567
2022-11-08T19:20:55Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Competent Assistant Icon.png
6
204
568
2022-11-08T19:25:07Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gifted Photographer Icon.png
6
205
569
2022-11-08T19:25:39Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Here Comes Hacker Icon.png
6
206
570
2022-11-08T19:25:54Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:LOLOL Gamer Icon.png
6
207
571
2022-11-08T19:26:13Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Unknown Icon.png
6
208
572
2022-11-08T19:26:46Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
User talk:Cori
3
209
573
2022-11-08T19:35:41Z
Hyobros
9
/* trivial feature icons */ new section
wikitext
text/x-wiki
== trivial feature icons ==
hi hi first of all thanks for helping out here :) i really appreciate it. im hoping you get a notif for this lol anyway
i've been getting trivial feature icons from [https://dataminessum.tumblr.com/ here] and I'd like for you to skim through them and see what you've unlocked that I haven't uploaded here yet. I know a lot of these must be further in the future but i can't know what i could've missed from chats or not doing enough on planets lol. ty!
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:35, 8 November 2022 (UTC) Hyobros
b42b9c28fc98b139f2bb046b6037578bdf8b9fb3
574
573
2022-11-08T19:37:26Z
Hyobros
9
wikitext
text/x-wiki
== trivial feature icons ==
hi hi first of all thanks for helping out here :) i really appreciate it. im hoping you get a notif for this lol anyway
i've been getting trivial feature icons from [https://dataminessum.tumblr.com/ here] and I'd like for you to skim through them and see what you've unlocked that I haven't uploaded here yet. I know a lot of these must be further in the future but i can't know what i could've missed from chats or not doing enough on planets lol. ty!
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:35, 8 November 2022 (UTC)
6d3d0c5ddee20f4bd1d4f83af14e7f07d8aa855d
Beginners Guide
0
175
575
562
2022-11-09T16:14:36Z
Hyobros
9
/* Main Page */
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
<h3>Daily Energy</h3>
<h3>Time Machine</h3>
<h3>Gallery</h3>
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
<h3>Trivial Features</h3>
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
<h3>Private Account</h3>
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
<h3>Profile</h3>
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each, but whether or not you have a heart can impact what day you get Teo’s confession (some got it on day 14, some got it on day 15).
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
<h3>Milky Way Calendar</h3>
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
<h3>Aurora LAB</h3>
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
TBA
a0adb82aa1fd4d96a5285a2e3cd77e8d51599939
Template:MainPageEnergyInfo
10
32
576
552
2022-11-09T16:22:49Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=11-9, 2022
|description=Philosophical energy is surgging.<br>'May there be wisdom in my sight...'<br>'May my belief be true...'
|cusMessage=Today is the day for each of you to study your personal philosophy. I hope you enjoy it!}}
a133649d4e7350cb88b64d5720e318264a204877
598
576
2022-11-09T19:32:12Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=11-9, 2022
|description=Philosophical energy is surging.<br>'May there be wisdom in my sight...'<br>'May my belief be true...'
|cusMessage=Today is the day for each of you to study your personal philosophy. I hope you enjoy it!}}
04695035c75a92e3e49cd495d3d2408a86b7ccc6
603
598
2022-11-10T15:14:05Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Logical
|date=11-10, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...}}
be54c6556816d74df3f797c2b71c4af48fb27519
608
603
2022-11-12T20:36:45Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Logical
|date=11-12, 2022
|description=Logical energy rises from the ability to observe the causes.
|cusMessage=This study would not exist without logics. I hope you would have a logical study day.}}
db8660bb8c62300a9ff132fc4623a966a5eb8464
Planets/Vanas
0
86
577
502
2022-11-09T16:41:54Z
Hyobros
9
wikitext
text/x-wiki
<h2>Introduction</h2>
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
4d222217c9037765851af7c272933c853a9625bb
Planets/City of Free Men
0
51
578
471
2022-11-09T16:43:11Z
Hyobros
9
wikitext
text/x-wiki
== Description ==
"''In the City of Free Men, you can freely offer topics and ideas. Free men find delight in unpredictable topics that can relieve them from boredom.''"
This planet is most likely going to be the first planet you get to access. It takes 30 freedom to be bored emotions to unlock.
City of Free Men is essentially a general discussion board forum. On the main screen, there are rankings for the month's top posters, "My Page", "Bored", the "Hall of Fame", Today's Free Study, and Explore Labs.
'''My Page'''
'''Explore Labs'''
These are the forums. It costs 50 freedom to be bored emotions to post one. Users can comment on the post and react to one another's comments, but cannot react to the post itself. This format makes it so forums are meant for small discussions or questions.
8bc87c55a9387764f59e2acd8d449138ecf0a450
Planets
0
44
579
503
2022-11-09T16:44:57Z
Hyobros
9
wikitext
text/x-wiki
There are planets you can unlock by repeatedly acquiring one specific [[Emotion]]/[[Frequency]]. As of now, there are 8 planets and 8 seasonal planets that correspond with Teo's phases. To access the infinite universe and get to planets, you need energy. Energy is produced when the incubator is running. This means that it's very important not to softlock yourself. When incubating energies, use more than one type at a time to avoid maxxing your inventory and getting stuck.
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planets/City_of_Free_Men]]<br>'''[[Planets/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planets/Root of Desire]]<br>'''[[Planets/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|200px|link=Planets/Canals of Sensitivity]]<br>'''[[Planets/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planets/Mountains of Wandering Humor]]<br>'''[[Planets/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planets/Milky Way of Gratitude]]<br>'''[[Planets/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planets/Archive of Terran Info]]<br>'''[[Planets/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|140px|link=Planets/Bamboo Forest of Troubles]]<br>'''[[Planets/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planets/Archive of Sentences]]<br>'''[[Planets/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Seasonal Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|120px|link=Planets/Vanas]]<br>'''[[Planets/Vanas|Vanas]]''' || [[File:Mewry_Planet.png|150px|link=Planets/Mewry]]<br>'''[[Planets/Mewry|Mewry]]'''
|-
|[[File:Crotune_Planet.png|150px|link=Planets/Crotune]]<br>'''[[Planets/Crotune|Crotune]]''' || [[File:Tolup_Planet.png|140px|link=Planets/Tolup]]<br>'''[[Planets/Tolup|Tolup]]'''
|-
|[[File:Cloudi_Planet.png|150px|link=Planets/Cloudi]]<br>'''[[Planets/Cloudi|Cloudi]]''' || [[File:Burny_Planet.png|150px|link=Planets/Burny]]<br>'''[[Planets/Burny|Burny]]'''
|-
|[[File:Pi_Planet.png|150px|link=Planets/Pi]]<br>'''[[Planets/Pi|Pi]]''' || [[File:Momint_Planet.png|150px|link=Planets/Momint]]<br>'''[[Planets/Momint|Momint]]'''
|}
6299011bb960f7990b598ae097be4748ed46616e
580
579
2022-11-09T16:45:25Z
Hyobros
9
wikitext
text/x-wiki
There are planets you can unlock by repeatedly acquiring one specific [[Emotion]]/[[Frequency]]. As of now, there are 8 planets and 8 seasonal planets that correspond with Teo's phases. To access the infinite universe and get to planets, you need energy. Energy is produced when the incubator is running. '''This means that it's very important not to softlock yourself. When incubating energies, use more than one type at a time to avoid maxxing your inventory and getting stuck.'''
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planets/City_of_Free_Men]]<br>'''[[Planets/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planets/Root of Desire]]<br>'''[[Planets/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|200px|link=Planets/Canals of Sensitivity]]<br>'''[[Planets/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planets/Mountains of Wandering Humor]]<br>'''[[Planets/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planets/Milky Way of Gratitude]]<br>'''[[Planets/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planets/Archive of Terran Info]]<br>'''[[Planets/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|140px|link=Planets/Bamboo Forest of Troubles]]<br>'''[[Planets/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planets/Archive of Sentences]]<br>'''[[Planets/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Seasonal Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|120px|link=Planets/Vanas]]<br>'''[[Planets/Vanas|Vanas]]''' || [[File:Mewry_Planet.png|150px|link=Planets/Mewry]]<br>'''[[Planets/Mewry|Mewry]]'''
|-
|[[File:Crotune_Planet.png|150px|link=Planets/Crotune]]<br>'''[[Planets/Crotune|Crotune]]''' || [[File:Tolup_Planet.png|140px|link=Planets/Tolup]]<br>'''[[Planets/Tolup|Tolup]]'''
|-
|[[File:Cloudi_Planet.png|150px|link=Planets/Cloudi]]<br>'''[[Planets/Cloudi|Cloudi]]''' || [[File:Burny_Planet.png|150px|link=Planets/Burny]]<br>'''[[Planets/Burny|Burny]]'''
|-
|[[File:Pi_Planet.png|150px|link=Planets/Pi]]<br>'''[[Planets/Pi|Pi]]''' || [[File:Momint_Planet.png|150px|link=Planets/Momint]]<br>'''[[Planets/Momint|Momint]]'''
|}
98d9138b3fbe3e54d2a997f4c05ad6ce7681fa88
File:A Giant Leap Icon.png
6
210
581
2022-11-09T18:06:49Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Cant Stop Video Icon.png
6
211
582
2022-11-09T18:07:11Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Collecting Extremely Trivial Features Icon.png
6
212
583
2022-11-09T18:07:59Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Collecting Trivial Features Icon.png
6
213
584
2022-11-09T18:08:16Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Collecting Very Trivial Features Icon.png
6
214
585
2022-11-09T18:08:31Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Coming Back For More Icon.png
6
215
586
2022-11-09T18:08:56Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dream Of Doll Icon.png
6
216
587
2022-11-09T18:09:12Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Fantasy Life Icon.png
6
217
588
2022-11-09T18:09:31Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:First Name Change Icon.png
6
218
589
2022-11-09T18:09:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Looking Back Again and Again Icon.png
6
219
590
2022-11-09T18:10:21Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:PIU PIU And Friends Icon.png
6
220
591
2022-11-09T18:10:44Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pretty Boy Hunter Icon.png
6
221
592
2022-11-09T18:11:27Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Professional Namer Icon.png
6
222
593
2022-11-09T18:12:05Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:See You Again Icon.png
6
223
594
2022-11-09T18:12:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Solid Foundation Icon.png
6
224
595
2022-11-09T18:12:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Highly Sympathetic Icon.png
6
225
596
2022-11-09T18:16:36Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Characters
0
60
597
176
2022-11-09T19:16:52Z
Reve
11
wikitext
text/x-wiki
*[[Harry Choi]]
*[[Jay]]
*[[Player]]
*[[Teo]]
*[[Teo's father]]
*[[Teo's mother]]
*[[Dr. Cus-Monsieur]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
c2e130a097e370ec1a6a5a7f4968cb0123fb28e1
601
597
2022-11-09T20:30:49Z
Reve
11
wikitext
text/x-wiki
*[[Harry Choi]]
*[[Jay]]
*[[Player]]
*[[Teo]]
*[[Teo's father]]
*[[Teo's mother]]
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
6c0b28f1f36e0fc6e32e11b7b09368d5d135fb8e
Dr. Cus-Monsieur
0
226
599
2022-11-09T20:30:06Z
Reve
11
Created page with "{{CharacterInfo |nameEN=Dr. Cus-Monsieur |occupation=App developer }} == General == TBA == Bluebird Notes == There are a total of 32 Bluebird transmissions which reveal the backstory of Dr. Cus-Monsieur. Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctor..."
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Dr. Cus-Monsieur
|occupation=App developer
}}
== General ==
TBA
== Bluebird Notes ==
There are a total of 32 Bluebird transmissions which reveal the backstory of Dr. Cus-Monsieur.
Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctorate degree and become a secret researcher who seeks the secret of the universe. The young doctor spent his time in glory, marking every single one of his footsteps with success. Then one day he looked back upon his perfect life and thought…
‘I have accomplished everything, but I have never once fallen in love!’
For the first time in his life, he felt lonely! Thus Dr. Cus-Monsieur decided to experience love. At the same time, he decided to quit his job and put an end to his glorious career at the secret space lab, in order to discover the formula for the ‘perfect love!’ Dr. Cus-Monsieur departed from the secret space lab and officially registered as a member of PLF (Perfect Love Follower), the most prestigious international institution in love that aims for the perfect love. Did he manage to find love at PLF, you ask…? The mission of PLF was to research and train its members in how to be cool enough to excel in the modern world and hence become a perfect candidate to be a perfect couple. Its manual boasted over millions of followers, upon which 95.4 percent of all couple-matching websites over the globe base their guidelines! Therefore, Dr. Cus-Monsieur began to strictly follow PLF’s manual to become ‘cool.’
The following is an excerpt from an educational resource of PLF (Perfect Love Follower)…
<How to be a perfect candidate for Love>
1. Exposure of your faults will only provide you with a title of a loser. Keep them to yourself.
2. When you have trouble controlling your emotions, distract them with an activity that can divert your attention.
3. Even when you are offended, you must keep your heart under control and appear ‘cool.’ You must not reveal the slightest of vulnerability to your party.
4. Make yourself look as mysterious and rich as possible. Speak less, and drench yourself in expensive items of latest fashion.
5. It all begins with looks. Save nothing for your appearance.
6. Bring up an art culture or speak in a foreign language once every 10 sentences.
[Reference] cool occupations include doctors, lawyers, employees at top-tiered corporates, and professors.
With expertise in emotional control, qualifications and competence from his past career, and investment in looks, Dr. Cus-Monsieur gained the privilege to reserve a spot at the platinum rank according to the guidelines of PLF. Which was why he was more than confident that he will find love. Countless people got in line to have their first date with Dr. Cus-Monsieur! But surprisingly… The more dates Dr. Cus-Monsieur had, the more conspicuous the faults in his parties grew. Soon his dates turned into something written on his agenda for him to deal with, and the doctor grew inclined to escape from them. He did not find love; he found more calculations for his brain, and they did not stop growing.
The series of failures left Dr. Cus-Monsieur with bewilderment. He wondered, ‘I’ve been faithful to the manual of the institution that studies perfect love… How come it is impossible for me to fall in love?’ Then one day, at the end of his encounter with his 111th date, Dr. Cus-Monsieur claimed, fingering the collar of his Barberry coat and sipping from a takeout of roastery coffee he got…
‘Now I must make myself disappear, like the perfume of coffee met with the frigid wind. The board meeting for Elite Lovers awaits me for the next morning. Only those ranked platinum at PLF system are eligible to become Elite Lovers, and I must make sure I live up to the expectations for an Elite Lover. After all - the doctor sipped his coffee once again and tilted his head by 45 degrees to look up at the sky - I must be perfect in everything.’
And his party pointed out something. ‘I think you’ve got morbid obsession with being cool - and you’ve got it bad.’ The doctor felt as if he were hammered in the head. His 111th date was the last one he ever met via PLF matching system. ‘I had no doubt that being cool is the best… Perhaps PLF is wrong. Which is why I must find a solution myself.’ Once he shed his Guzzi outfit to instead change into his sweatsuit, Dr. Cus-Monsieur returned to his lab to analyze data on his 111 failures.
After 3 months of leaving himself to rot like a corpse in his lab… Dr. Cus-Monsieur reached a conclusion that the 111 dates had rendered him a serious case of morbid obsession with being cool, personally dubbed as ‘coolitis’. Additionally, he discovered how the ‘coolitis’ syndrome is getting viral particularly in countries dense with competition. He moved on to study the relation between ‘coolitis’ and couples. To his surprise, he could start collecting vast amount of data that will prove how people with coolitis are more likely to fail in relationships compared to those without coolitis. With the knowledge that people who follow guidelines established by PLF are doomed to be contagious with coolitis, the doctor began to investigate what lies at the heart of this institution. His investigation led him to an elusive group of people that sponsors the PLF… Which turned out to be a group of bankers who hold the key to the flow of money. The doctor had to stop his investigation, for the sake of his own safety.
<Paper No. 23 - The Progress of a Relationship Through Coolitis> Written by: Dr. Cus-Monsieur
Coolitis takes progress through five stages in total. Being cool - coining the image of coolness - Excessive competition - Meticulous calculation - Impenetrable closure of heart. The safety net for victims of coolitis exists only up to the 3rd stage, until which victims can find matches ‘equally cool,’ assume 'cool love,’ or even marry or live with their matches in a 'cool way.’ However, once they start sharing their lives, they become vulnerable to the exposure of weakness within, hidden under their cool facades. The victims attempt to compromise with the reality in a way they would comprehend it, but research has revealed that the chance of termination of a relationship is in a correlative relation to the duration of coolitis, most significantly due to the frustration victims would face upon realizing that their weaknesses are deemed unacceptable, in contrast to their desire for compensation that will meet their expectations.
Dr. Cus-Monsieur came up with a theory for treatment of coolitis, something that was on the far end of a pole from PLF’s core belief - ‘In order to find true love, we must become losers.’ The doctor discovered a pattern in the course of his research - coolitis is a rarity in countries less densely populated with competition. The majority of couples free from coolitis will not make habitual calculations on each other’s resources and values. Instead, they focus on their own resources and values, to expend the remainder of their resources for their parties. Dr. Cus-Monsieur shook his head as he calculated the amount of time he had wasted for the past 111 dates and muttered, ‘What was all that for…?’ He burned the GQue magazine he used to digest in order to keep up with the latest trend, to instead grab a slice of sweet cake full of trans fats. He gave up on being cool. He let his beard grow, filled his diet table with cakes and fast foods for all meals, and brought in a parrot he has always dreamed of, named ‘PIU-PIU’. He even took the courage to don an XXXL-sized t-shirt printed, 'I am a lonely loser.’
The chairman of PLF, ‘Julianasta Lovelizabeth Victorian-Gorgeous’ was appalled upon finding the doctor by coincidence. She yelled, 'Nobody will ever love you, unless you rid yourself of trans fats and and become cool!' The doctor did not heed and replied, 'According to my research you will find nothing but pain in love. I’d say my standing is better than yours. This cake in my hand is making my present sweet.’ Thus Dr. Cus-Monsieur parted ways with the PLF. He founded a lab name ‘Heart’s Face Lab,’ represented by a pair of praying hands, deep in the mountains by the countryside no one would visit. Due to the lab’s 'so-not-cool’ title and hopeless level of accessibility, people could not be more apathetic about it. Social media around the time used to be viral with Julianasta Lovelizabeth Victorian-Gorgeous’s post gloating over it. Having learned his small lesson, the doctor changed the title of his lab as ‘Forbidden Lab’ and restationed it as an online-based lab. And he published his research paper about coolitis, along with a documentary that exposed the suspicious partnership lurking within the PLF.
People who are fond of conspiracies began to visit the Forbidden Lab. ‘That’s a good start. Now it’s time for me to start the project to discover true love,’ thought the doctor. Dr. Cus-Monsieur dedicated his entire fortune to work jointly with his visitors and develop an A.I. machine that will collect and analyze data on love, named 'PIU-PIU’ after his parrot. He coined the term ‘ssum’ that will refer to the period of time a potential couple would spend to get to know about each other and immerse themselves in fantasies that they would expect from each other’s facade. He eventually developed a messenger app titled ’The Ssum’ targeting those in 'ssum,’ which will lock upon the energy of 'those seeking love’ and send secret invitations to guide them to the Lab through the app.
The Forbidden Lab accessible through the app was designed in a way people who take the courage to talk about what lies them will be recharged with energy… The energy they have lost from the world that demands them to be ‘cool.’ On the surface, PIU-PIU the A.I. is a virtual assistant that guides people to people through blind dates. In reality, this intricately developed A.I. serves as the central command center that connects the Forbidden Lab to the users of The Ssum, by utilizing millions of bluebirds in its data communications. PIU-PIU’s analysis revealed that the human mechanism of love is similar to the foundations of the universe. Hence Dr. Cus-Monsieur could at last reach enlightenment on the secret of the universe. ‘The time of the universe is linear, connected to infinite future, not one,’ realized the doctor.
Under covers from the watchful eyes of MASA, he installed within PIU-PIU a 'forbidden mechanism’ that would allow PIU-PIU to transcend time and space. Thus he gave birth to a time machine that can take its user to the past or a certain point in the future. As PIU-PIU transcends both time and space, it can travel to any corner of the universe in a blink of loading. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension.
Dr. Cus-Monsieur believed on Earth humans would have trouble emancipating themselves from coolitis due to obsession with their facades. So he decided to send the lab participants of The Ssum to planets in the 4th dimension. And thousands and millions of lab participants would find themselves on journey to the planets in the Infinite Universe for this reason.
You have reached the end of the story.
Dear <Player>.
Currently Dr. Cus-Monsieur’s whereabouts are unknown; he disappeared, with me left behind (Currently we have an A.I. to substitute him, to make people believe he is still with us). Please let us know once you find him.
Written by. PIU-PIU, the talking parrot.
== Background ==
TBA
eb063be8a2c637b669c3112527c6c89e2908a9a1
605
599
2022-11-10T20:16:59Z
Reve
11
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Dr. Cus-Monsieur
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=App Developer, Love Scientist
|hobbies=
|likes=Parrots
|dislikes=
|VAen=
|VAkr=
}}
== General ==
TBA
== Bluebird Notes ==
There are a total of 32 Bluebird transmissions which reveal the backstory of Dr. Cus-Monsieur.
Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctorate degree and become a secret researcher who seeks the secret of the universe. The young doctor spent his time in glory, marking every single one of his footsteps with success. Then one day he looked back upon his perfect life and thought…
‘I have accomplished everything, but I have never once fallen in love!’
For the first time in his life, he felt lonely! Thus Dr. Cus-Monsieur decided to experience love. At the same time, he decided to quit his job and put an end to his glorious career at the secret space lab, in order to discover the formula for the ‘perfect love!’ Dr. Cus-Monsieur departed from the secret space lab and officially registered as a member of PLF (Perfect Love Follower), the most prestigious international institution in love that aims for the perfect love. Did he manage to find love at PLF, you ask…? The mission of PLF was to research and train its members in how to be cool enough to excel in the modern world and hence become a perfect candidate to be a perfect couple. Its manual boasted over millions of followers, upon which 95.4 percent of all couple-matching websites over the globe base their guidelines! Therefore, Dr. Cus-Monsieur began to strictly follow PLF’s manual to become ‘cool.’
The following is an excerpt from an educational resource of PLF (Perfect Love Follower)…
<How to be a perfect candidate for Love>
1. Exposure of your faults will only provide you with a title of a loser. Keep them to yourself.
2. When you have trouble controlling your emotions, distract them with an activity that can divert your attention.
3. Even when you are offended, you must keep your heart under control and appear ‘cool.’ You must not reveal the slightest of vulnerability to your party.
4. Make yourself look as mysterious and rich as possible. Speak less, and drench yourself in expensive items of latest fashion.
5. It all begins with looks. Save nothing for your appearance.
6. Bring up an art culture or speak in a foreign language once every 10 sentences.
[Reference] cool occupations include doctors, lawyers, employees at top-tiered corporates, and professors.
With expertise in emotional control, qualifications and competence from his past career, and investment in looks, Dr. Cus-Monsieur gained the privilege to reserve a spot at the platinum rank according to the guidelines of PLF. Which was why he was more than confident that he will find love. Countless people got in line to have their first date with Dr. Cus-Monsieur! But surprisingly… The more dates Dr. Cus-Monsieur had, the more conspicuous the faults in his parties grew. Soon his dates turned into something written on his agenda for him to deal with, and the doctor grew inclined to escape from them. He did not find love; he found more calculations for his brain, and they did not stop growing.
The series of failures left Dr. Cus-Monsieur with bewilderment. He wondered, ‘I’ve been faithful to the manual of the institution that studies perfect love… How come it is impossible for me to fall in love?’ Then one day, at the end of his encounter with his 111th date, Dr. Cus-Monsieur claimed, fingering the collar of his Barberry coat and sipping from a takeout of roastery coffee he got…
‘Now I must make myself disappear, like the perfume of coffee met with the frigid wind. The board meeting for Elite Lovers awaits me for the next morning. Only those ranked platinum at PLF system are eligible to become Elite Lovers, and I must make sure I live up to the expectations for an Elite Lover. After all - the doctor sipped his coffee once again and tilted his head by 45 degrees to look up at the sky - I must be perfect in everything.’
And his party pointed out something. ‘I think you’ve got morbid obsession with being cool - and you’ve got it bad.’ The doctor felt as if he were hammered in the head. His 111th date was the last one he ever met via PLF matching system. ‘I had no doubt that being cool is the best… Perhaps PLF is wrong. Which is why I must find a solution myself.’ Once he shed his Guzzi outfit to instead change into his sweatsuit, Dr. Cus-Monsieur returned to his lab to analyze data on his 111 failures.
After 3 months of leaving himself to rot like a corpse in his lab… Dr. Cus-Monsieur reached a conclusion that the 111 dates had rendered him a serious case of morbid obsession with being cool, personally dubbed as ‘coolitis’. Additionally, he discovered how the ‘coolitis’ syndrome is getting viral particularly in countries dense with competition. He moved on to study the relation between ‘coolitis’ and couples. To his surprise, he could start collecting vast amount of data that will prove how people with coolitis are more likely to fail in relationships compared to those without coolitis. With the knowledge that people who follow guidelines established by PLF are doomed to be contagious with coolitis, the doctor began to investigate what lies at the heart of this institution. His investigation led him to an elusive group of people that sponsors the PLF… Which turned out to be a group of bankers who hold the key to the flow of money. The doctor had to stop his investigation, for the sake of his own safety.
<Paper No. 23 - The Progress of a Relationship Through Coolitis> Written by: Dr. Cus-Monsieur
Coolitis takes progress through five stages in total. Being cool - coining the image of coolness - Excessive competition - Meticulous calculation - Impenetrable closure of heart. The safety net for victims of coolitis exists only up to the 3rd stage, until which victims can find matches ‘equally cool,’ assume 'cool love,’ or even marry or live with their matches in a 'cool way.’ However, once they start sharing their lives, they become vulnerable to the exposure of weakness within, hidden under their cool facades. The victims attempt to compromise with the reality in a way they would comprehend it, but research has revealed that the chance of termination of a relationship is in a correlative relation to the duration of coolitis, most significantly due to the frustration victims would face upon realizing that their weaknesses are deemed unacceptable, in contrast to their desire for compensation that will meet their expectations.
Dr. Cus-Monsieur came up with a theory for treatment of coolitis, something that was on the far end of a pole from PLF’s core belief - ‘In order to find true love, we must become losers.’ The doctor discovered a pattern in the course of his research - coolitis is a rarity in countries less densely populated with competition. The majority of couples free from coolitis will not make habitual calculations on each other’s resources and values. Instead, they focus on their own resources and values, to expend the remainder of their resources for their parties. Dr. Cus-Monsieur shook his head as he calculated the amount of time he had wasted for the past 111 dates and muttered, ‘What was all that for…?’ He burned the GQue magazine he used to digest in order to keep up with the latest trend, to instead grab a slice of sweet cake full of trans fats. He gave up on being cool. He let his beard grow, filled his diet table with cakes and fast foods for all meals, and brought in a parrot he has always dreamed of, named ‘PIU-PIU’. He even took the courage to don an XXXL-sized t-shirt printed, 'I am a lonely loser.’
The chairman of PLF, ‘Julianasta Lovelizabeth Victorian-Gorgeous’ was appalled upon finding the doctor by coincidence. She yelled, 'Nobody will ever love you, unless you rid yourself of trans fats and and become cool!' The doctor did not heed and replied, 'According to my research you will find nothing but pain in love. I’d say my standing is better than yours. This cake in my hand is making my present sweet.’ Thus Dr. Cus-Monsieur parted ways with the PLF. He founded a lab name ‘Heart’s Face Lab,’ represented by a pair of praying hands, deep in the mountains by the countryside no one would visit. Due to the lab’s 'so-not-cool’ title and hopeless level of accessibility, people could not be more apathetic about it. Social media around the time used to be viral with Julianasta Lovelizabeth Victorian-Gorgeous’s post gloating over it. Having learned his small lesson, the doctor changed the title of his lab as ‘Forbidden Lab’ and restationed it as an online-based lab. And he published his research paper about coolitis, along with a documentary that exposed the suspicious partnership lurking within the PLF.
People who are fond of conspiracies began to visit the Forbidden Lab. ‘That’s a good start. Now it’s time for me to start the project to discover true love,’ thought the doctor. Dr. Cus-Monsieur dedicated his entire fortune to work jointly with his visitors and develop an A.I. machine that will collect and analyze data on love, named 'PIU-PIU’ after his parrot. He coined the term ‘ssum’ that will refer to the period of time a potential couple would spend to get to know about each other and immerse themselves in fantasies that they would expect from each other’s facade. He eventually developed a messenger app titled ’The Ssum’ targeting those in 'ssum,’ which will lock upon the energy of 'those seeking love’ and send secret invitations to guide them to the Lab through the app.
The Forbidden Lab accessible through the app was designed in a way people who take the courage to talk about what lies them will be recharged with energy… The energy they have lost from the world that demands them to be ‘cool.’ On the surface, PIU-PIU the A.I. is a virtual assistant that guides people to people through blind dates. In reality, this intricately developed A.I. serves as the central command center that connects the Forbidden Lab to the users of The Ssum, by utilizing millions of bluebirds in its data communications. PIU-PIU’s analysis revealed that the human mechanism of love is similar to the foundations of the universe. Hence Dr. Cus-Monsieur could at last reach enlightenment on the secret of the universe. ‘The time of the universe is linear, connected to infinite future, not one,’ realized the doctor.
Under covers from the watchful eyes of MASA, he installed within PIU-PIU a 'forbidden mechanism’ that would allow PIU-PIU to transcend time and space. Thus he gave birth to a time machine that can take its user to the past or a certain point in the future. As PIU-PIU transcends both time and space, it can travel to any corner of the universe in a blink of loading. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension.
Dr. Cus-Monsieur believed on Earth humans would have trouble emancipating themselves from coolitis due to obsession with their facades. So he decided to send the lab participants of The Ssum to planets in the 4th dimension. And thousands and millions of lab participants would find themselves on journey to the planets in the Infinite Universe for this reason.
You have reached the end of the story.
Dear <Player>.
Currently Dr. Cus-Monsieur’s whereabouts are unknown; he disappeared, with me left behind (Currently we have an A.I. to substitute him, to make people believe he is still with us). Please let us know once you find him.
Written by. PIU-PIU, the talking parrot.
== Background ==
TBA
5629bc5aec62ecdc0f1484eeee3ab25a8ab52bd5
File:안녕하세요! 기능 Icon.png
6
227
600
2022-11-09T20:30:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Hello Function Icon.png
6
228
602
2022-11-09T20:31:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Bluff
0
172
604
563
2022-11-10T19:45:30Z
Cori
10
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|}
177f957c4095a086f50d79abc9595ff882fce25a
Trivial Features/Trivial
0
88
606
544
2022-11-10T20:29:36Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Looking_Back_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || ???
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
6b1d78b7df1049609219702088a462e6a0f07f19
607
606
2022-11-10T20:56:35Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || ???
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
870d1dcae01d0507d81386b4b6c0113612d36627
609
607
2022-11-12T20:49:22Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_Am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || ???
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
030a63df6ec73602df5c027dfa275eaf171e830d
616
609
2022-11-12T23:41:59Z
Cori
10
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || ???
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
41bc35c8c1eed4b9ef2ff2512717d9cad9124b50
File:Beautiful Gardener Icon.png
6
229
610
2022-11-12T21:09:40Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:I am You Icon.png
6
230
611
2022-11-12T21:12:15Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Looking Back Free Emotions Icon.png
6
231
612
2022-11-12T21:12:45Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Man Of Broken Mask Icon.png
6
232
613
2022-11-12T23:36:02Z
Cori
10
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Man With Two Faces Icon.png
6
233
614
2022-11-12T23:37:14Z
Cori
10
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Mysterious Man Icon.png
6
234
615
2022-11-12T23:38:26Z
Cori
10
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Making Myself Happy Icon.png
6
235
617
2022-11-13T00:14:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Master of Support Icon.png
6
236
618
2022-11-13T00:36:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:MainPageEnergyInfo
10
32
619
608
2022-11-14T16:17:30Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Jolly
|date=11-14, 2022
|description=A desire to be the best rises from the jolly energy, which also represents money and honor. How about you?
|cusMessage=Jolly people can naturally pull off silly jokes and feel catharsis through them.}}
509d9c4f2d52a601a9b76d26fe6488ac71dccede
620
619
2022-11-15T16:31:22Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Innocent
|date=11-15, 2022
|description=There is something only those full of sensitivity can feel. Even small pain will reach so deep, and even small joy will feel so strong...
|cusMessage=Today is the perfect day for you to study the relationship full of sensitivity.}}
79b3074b94f0952d5d72479ffa3e156ec1f6e3d4
627
620
2022-11-17T14:11:26Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Peaceful
|date=11-17, 2022
|description=I hope Teo can make uses of today's energy and send you warm energy...
|cusMessage=I hope peace and love will be with all lab participants around the world.}}
1f62fb8324830b6687554d302a3adf19e50a4011
631
627
2022-11-21T21:17:53Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=11-21, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells you how important this energy is.
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
2e9ae18618c42d195a09769d897efefea296779b
665
631
2022-11-29T20:16:25Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Logical
|date=11-29, 2022
|description=The more logical you get, the better you will be in making arguments. So make use of this day to let your arguments unfold.
|cusMessage=Today we are analyyzing logics from lab participants logged in to The Ssum from all over the world.}}
863537a8af66d83715e69306ad9f37412b26b869
Planets/Tolup
0
237
621
2022-11-15T16:58:50Z
Hyobros
9
Created page with "{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5" | style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup |- |style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>D..."
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
==Description==
Tolup is the fourth seasonal planet players will reach.
6618a2e7aebcad18c50429972d5e3b9510bb4cb0
Planets/Vanas
0
86
622
577
2022-11-15T20:55:11Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
<h2>Description</h2>
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
1c54266cbf2b9ea0e2a637f9461b3061a1466a31
623
622
2022-11-15T20:56:14Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
<h2>Description</h2>
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
201778c7b9091ffe298d4cc17613889d6d8baa55
Space Creatures
0
29
624
517
2022-11-15T20:59:32Z
Hyobros
9
/* Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#bee8dc" |Space Herbivores
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Life Extender
|-
| colspan="3" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Space Magicians
|-
| colspan="3" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" | Hi-Tech Organism
|-
| colspan="3" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:AI_Spaceship_creature.gif|''[[AI_Spaceship|AI Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_creature.png|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_creature.png|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_creature.png|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_creature.png|''[[Orion|Orion]]'' </gallery>
|}
efc06954c377f6267cf7cbf0067976ffa4d26ecc
Planets/Mewry
0
238
625
2022-11-15T21:07:36Z
Hyobros
9
Created page with "{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff" | style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''<br>⚠Transmission from planet Mewry |- |style="font-size:95%;border-top:none" | Voting starts now!<br>A hundred aspiring musical actors have arrived!<br>And you will be Teo's producer!<br>How will you train your trainee?<br>Everything lies in your hands!..."
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''<br>⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | Voting starts now!<br>A hundred aspiring musical actors have arrived!<br>And you will be Teo's producer!<br>How will you train your trainee?<br>Everything lies in your hands!
|}
==Description==
This is the second seasonal planet players will reach.
1c2aeaf3e528cf77339cd9102788fbcc65505d12
626
625
2022-11-15T21:10:46Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''<br>⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
==Description==
This is the second seasonal planet players will reach.
ac66ec11192f24f5cb409b4585ccf531c4ac282a
Harry Choi
0
4
628
297
2022-11-17T14:25:20Z
Hyobros
9
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=?
|birthday=?
|zodiac=?
|height=?
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
Doesn't talk much.
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
== Background ==
TBA
fb0f31a81413c59a9d4057c996d17c1d2efdb35d
630
628
2022-11-17T14:42:36Z
Hyobros
9
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=?
|birthday=?
|zodiac=?
|height=?
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
Doesn't talk much.
== Background ==
TBA
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
7c67f6221afe93b412d57f5b2d343b1ba5b842f4
633
630
2022-11-23T17:54:12Z
Hyobros
9
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=?
|height=188 cm
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
Doesn't talk much.
== Background ==
TBA
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
ecadc2ff130fee5869d777c6955f518c2ccb6bef
640
633
2022-11-24T00:35:56Z
Reve
11
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=?
|height=188 cm
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
Doesn't talk much.
== Background ==
[[File:HarryHorseMask.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]] [[File:ChoiNewsletter.jpeg]]
885ec6bcbcb3c7f6c7dd344a4fcc71743c8a9afe
643
640
2022-11-24T00:38:38Z
Reve
11
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=?
|height=188 cm
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
Doesn't talk much.
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]] [[File:ChoiNewsletter.jpeg]]
29e783c92616d790892e46d87370913ff169d577
658
643
2022-11-24T07:17:06Z
Reve
11
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
Doesn't talk much.
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]] [[File:ChoiNewsletter.jpeg|thumb]]
[[File:HarryPhoneTeaser.png]]
060a5643fb22fba9e5416b61537a36dd8f185cfa
660
658
2022-11-24T09:00:05Z
Reve
11
/* General */
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]] [[File:ChoiNewsletter.jpeg|thumb]]
[[File:HarryPhoneTeaser.png]]
4220e4f2ab87ac7c9cecb7d2f58004624dd6e7b0
661
660
2022-11-24T09:00:26Z
Reve
11
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
[[File:HarryPhoneTeaser.png]]
ac21b647ac503046d04e4adb85d38712695851a6
File:Harry Choi Teaser.jpg
6
239
629
2022-11-17T14:30:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
User talk:Junikea
3
241
634
2022-11-23T18:01:16Z
Hyobros
9
Created page with "==Harry Pic== Hey I know you havent been active so im hoping this shows up in your email. Since harry's new profile pic came out I need to name it the right way for it to show up on his profile here but that name is taken by the image you uploaded. Can you rename it or smth? Thanks. --~~~~"
wikitext
text/x-wiki
==Harry Pic==
Hey I know you havent been active so im hoping this shows up in your email. Since harry's new profile pic came out I need to name it the right way for it to show up on his profile here but that name is taken by the image you uploaded. Can you rename it or smth? Thanks.
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 18:01, 23 November 2022 (UTC)
a0e6715252c9fe2bf2b4007ce6e1f4dcfa28a8be
File:Harry Choi profile.png
6
62
635
298
2022-11-23T18:14:32Z
Hyobros
9
Hyobros uploaded a new version of [[File:Harry Choi profile.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
636
635
2022-11-23T18:27:44Z
Hyobros
9
Hyobros reverted [[File:Harry Choi profile.png]] to an old version
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
638
636
2022-11-23T18:34:25Z
Hyobros
9
Hyobros reverted [[File:Harry Choi profile.png]] to an old version
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Harry Choi.png
6
103
637
299
2022-11-23T18:32:16Z
Hyobros
9
Blanked the page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Harry Horse.png
6
242
639
2022-11-23T18:35:13Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:ChoiNewsletter.jpeg
6
243
641
2022-11-24T00:36:21Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:HarryZen.png
6
244
642
2022-11-24T00:37:05Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Teo/Gallery
0
245
644
2022-11-24T02:00:55Z
Reve
11
Created page with "== Vanas == <gallery> TeoDay1LunchSelfie.jpg|Day 1 TeoDay5DinnerSelfie.jpg|Day 5 TeoDay7BedtimeSelfie.jpg|Day 7 TeoDay9BedtimeSelfie.jpg|Day 9 TeoDay13WaketimeSelfie.jpg|Day 13 TeoDay19BedtimeSelfie.jpg|Day 19 TeoDay21BedtimeSelfie.jpg|Day 21 TeoDay23BreakfastSelfie1.jpg|Day 23 TeoDay23BreakfastSelfie2.jpg|Day 23 TeoDay25BreakfastSelfie.jpg|Day 25 TeoDay26WaketimeSelfie.jpg|Day 26 TeoDay27WaketimeSelfie.jpg|Day 27 </gallery> == Mewry == <gallery> Example.jpg|Caption1 Ex..."
wikitext
text/x-wiki
== Vanas ==
<gallery>
TeoDay1LunchSelfie.jpg|Day 1
TeoDay5DinnerSelfie.jpg|Day 5
TeoDay7BedtimeSelfie.jpg|Day 7
TeoDay9BedtimeSelfie.jpg|Day 9
TeoDay13WaketimeSelfie.jpg|Day 13
TeoDay19BedtimeSelfie.jpg|Day 19
TeoDay21BedtimeSelfie.jpg|Day 21
TeoDay23BreakfastSelfie1.jpg|Day 23
TeoDay23BreakfastSelfie2.jpg|Day 23
TeoDay25BreakfastSelfie.jpg|Day 25
TeoDay26WaketimeSelfie.jpg|Day 26
TeoDay27WaketimeSelfie.jpg|Day 27
</gallery>
== Mewry ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Crotune ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Tolup ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Cloudi ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Burny ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Pi ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Momint ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
17e1f6c0c807408c0ab3cc65c8a9706c4b1126a2
656
644
2022-11-24T02:23:13Z
Reve
11
/* Vanas */
wikitext
text/x-wiki
== Vanas ==
<gallery>
TeoDay1LunchSelfie.png|Day 1
TeoDay5DinnerSelfie.png|Day 5
TeoDay7BedtimeSelfie.png|Day 7
TeoDay9BedtimeSelfie.png|Day 9
TeoDay13WaketimeSelfie.png|Day 13
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
== Mewry ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Crotune ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Tolup ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Cloudi ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Burny ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Pi ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Momint ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
9105c2b9fbad50a4a3be9d661b4af80e51b61ab3
File:TeoDay27WaketimeSelfie.png
6
246
645
2022-11-24T02:05:08Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay1LunchSelfie.png
6
247
646
2022-11-24T02:15:21Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay5DinnerSelfie.png
6
248
647
2022-11-24T02:16:18Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:6 Days Since First Meeting Bedtime Pictures 1.png
6
249
648
2022-11-24T02:17:08Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:8 Days Since First Meeting Bedtime Pictures.png
6
250
649
2022-11-24T02:17:20Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay13WaketimeSelfie.png
6
251
650
2022-11-24T02:18:29Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay19BedtimeSelfie.png
6
252
651
2022-11-24T02:18:45Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay23BreakfastSelfie1.png
6
253
652
2022-11-24T02:19:46Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay23BreakfastSelfie2.png
6
254
653
2022-11-24T02:20:08Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay25BreakfastSelfie.png
6
255
654
2022-11-24T02:20:51Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay26WaketimeSelfie.png
6
256
655
2022-11-24T02:21:12Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay21BedtimeSelfie.png
6
257
657
2022-11-24T02:24:18Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:HarryPhoneTeaser.png
6
258
659
2022-11-24T07:17:29Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
User talk:Reve
3
259
662
2022-11-29T19:24:30Z
Hyobros
9
/* Harry */ new section
wikitext
text/x-wiki
== Harry ==
BLESS YOU REVE I LOVE YOU /P
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:24, 29 November 2022 (UTC)
90b9e40c485464cade81a4aba7a547750b8b4b98
664
662
2022-11-29T20:13:15Z
Hyobros
9
/* Harry */
wikitext
text/x-wiki
== Harry ==
BLESS YOU REVE I LOVE YOU /P
Okay being sane now. Can/should I use your format for Harry's page on Teo's? I've been working on writing a full bio for him and honestly your layout looks way neater than what I can accomplish.
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:24, 29 November 2022 (UTC)
c288791bff1ba37ebdde309dd70dc1f8206dbb7c
Teo
0
3
663
454
2022-11-29T20:11:07Z
Hyobros
9
/* Gallery */
wikitext
text/x-wiki
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
== Gallery ==
To view Teo's gallery, go to [[Teo/Gallery]].
c3228aef7cda626b6650e58bf4ad4336a26d1523
File:Lots Of Tips Icon.png
6
260
666
2022-11-29T20:41:58Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Info Searcher Icon.png
6
261
667
2022-11-29T20:42:13Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Able To Provide Best Quality Icon.png
6
262
668
2022-11-29T20:42:26Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Cheer Up Icon.png
6
263
669
2022-11-29T20:42:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Im With You Icon.png
6
264
670
2022-11-29T20:43:11Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sentence Is Original Icon.png
6
265
671
2022-11-29T20:43:42Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Center Of Dilemma Icon.png
6
266
672
2022-11-29T20:44:33Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Trivial
0
88
673
616
2022-11-29T21:12:05Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || ???
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#26d926" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#e006e0" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
b2fda5e1d31a66afdba173e7c2eb2f735c3fc69f
703
673
2022-11-30T01:12:55Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#26d926" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#e006e0" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
b8090b427d7c767eb1cc5db8b4e0d4c2a2a33313
716
703
2022-11-30T15:37:50Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#26d926" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#e006e0" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
26b360c5bc078d025291184bb3930a236f1ea45a
File:Extremely Compassionate Icon.png
6
267
674
2022-11-29T23:42:14Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:I Wont Cry Icon.png
6
268
675
2022-11-29T23:42:39Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pretty Useful Icon.png
6
269
676
2022-11-29T23:43:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Communicator Info Archive Icon.png
6
270
677
2022-11-29T23:45:00Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Profound Comfort Icon.png
6
271
678
2022-11-29T23:45:19Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pursuing Freedom Icon.png
6
272
679
2022-11-29T23:46:16Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Regular Visitor Icon.png
6
273
680
2022-11-29T23:46:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sending Freedom Supports Icon.png
6
274
681
2022-11-29T23:46:44Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sending Support Daily Icon.png
6
275
682
2022-11-29T23:47:01Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Small But Heavy Gratitude Icon.png
6
276
683
2022-11-29T23:47:21Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Small Mundane Desire Icon.png
6
277
684
2022-11-29T23:47:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Trouble For Friend Icon.png
6
278
685
2022-11-29T23:47:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:You Have Overmanufactured Icon.png
6
279
686
2022-11-29T23:48:12Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Youre Not Alone Icon.png
6
280
687
2022-11-29T23:48:26Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Evolved Penguin Creature.gif
6
281
688
2022-11-29T23:49:11Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Unicorn Creature.gif
6
282
689
2022-11-29T23:49:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Yarn Cat Creature.gif
6
283
690
2022-11-29T23:50:27Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Daily Pattern Unlocked Icon.png
6
284
691
2022-11-30T00:33:42Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Enjoyed Reading That Icon..png
6
285
692
2022-11-30T00:34:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:An Astronaut Icon.png
6
286
693
2022-11-30T00:58:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Better Than Socrates Icon.png
6
287
694
2022-11-30T00:59:14Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Drawn To Desire Icon.png
6
288
695
2022-11-30T00:59:35Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Drawn To Posts Icon.png
6
289
696
2022-11-30T01:03:05Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Getting Fees From Creatures Icon.png
6
290
697
2022-11-30T01:03:19Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Getting Filled With Gratitude Icon.png
6
291
698
2022-11-30T01:03:36Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Getting Healed Icon.png
6
292
699
2022-11-30T01:03:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Good Natured Icon.png
6
293
700
2022-11-30T01:04:04Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gratitude That Moves Hearts Icon.png
6
294
701
2022-11-30T01:04:18Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Good One Icon.png
6
295
702
2022-11-30T01:08:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
User talk:Reve
3
259
704
664
2022-11-30T04:55:24Z
Reve
11
/* Harry */
wikitext
text/x-wiki
== Harry ==
BLESS YOU REVE I LOVE YOU /P
Okay being sane now. Can/should I use your format for Harry's page on Teo's? I've been working on writing a full bio for him and honestly your layout looks way neater than what I can accomplish.
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:24, 29 November 2022 (UTC)
Apologies if I'm formatting this response wrong. I've never actually used user talk on a wiki before o-o. You're more than welcome to use the formatting for Harry for Teo! Here's my logic for how I set it up:
- For general, I did a shorter summary of his personality. Just something quick someone could read to get caught up.
- For background, my thought was to write about Harry as he appears in Teo's route. It's a bit tricky to write that way for Teo, but that section could maybe be used to talk about the history of the character's development - like how he had a beta route and stuff?
- For route, I was planning to divide it into subheaders for each planet, and then give a summary of noteworthy events that occurred.
I've been thinking about doing some kinda formatting to better show off galleries buuuut I haven't quite figured that out yet. I know there's some kinda way to do tabs in Miraheze, but I've never done it myself. T_T
--[[User:Reve|Reve]] 04:55, 30 November 2022 (UTC)
7b8f2937e6b2e7ca0ff9c6d8d64197ed659e246d
705
704
2022-11-30T04:55:49Z
Reve
11
/* Harry */
wikitext
text/x-wiki
== Harry ==
BLESS YOU REVE I LOVE YOU /P
Okay being sane now. Can/should I use your format for Harry's page on Teo's? I've been working on writing a full bio for him and honestly your layout looks way neater than what I can accomplish.
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:24, 29 November 2022 (UTC)
Apologies if I'm formatting this response wrong. I've never actually used user talk on a wiki before o-o. You're more than welcome to use the formatting for Harry for Teo! Here's my logic for how I set it up:
- For general, I did a shorter summary of his personality. Just something quick someone could read to get caught up.
- For background, my thought was to write about Harry as he appears in Teo's route. It's a bit tricky to write that way for Teo, but that section could maybe be used to talk about the history of the character's development - like how he had a beta route and stuff?
- For route, I was planning to divide it into subheaders for each planet, and then give a summary of noteworthy events that occurred.
I've been thinking about doing some kinda formatting to better show off galleries buuuut I haven't quite figured that out yet. I know there's some kinda way to do tabs in Miraheze, but I've never done it myself. T_T
--[[User:Reve|Reve]] 04:55, 30 November 2022 (UTC)
2f63770e3d88a4ba8f7157e9f012e6153cefb071
717
705
2022-11-30T15:46:16Z
Hyobros
9
/* Harry */
wikitext
text/x-wiki
== Harry ==
BLESS YOU REVE I LOVE YOU /P
Okay being sane now. Can/should I use your format for Harry's page on Teo's? I've been working on writing a full bio for him and honestly your layout looks way neater than what I can accomplish.
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:24, 29 November 2022 (UTC)
Apologies if I'm formatting this response wrong. I've never actually used user talk on a wiki before o-o. You're more than welcome to use the formatting for Harry for Teo! Here's my logic for how I set it up:
- For general, I did a shorter summary of his personality. Just something quick someone could read to get caught up.
- For background, my thought was to write about Harry as he appears in Teo's route. It's a bit tricky to write that way for Teo, but that section could maybe be used to talk about the history of the character's development - like how he had a beta route and stuff?
- For route, I was planning to divide it into subheaders for each planet, and then give a summary of noteworthy events that occurred.
I've been thinking about doing some kinda formatting to better show off galleries buuuut I haven't quite figured that out yet. I know there's some kinda way to do tabs in Miraheze, but I've never done it myself. T_T
--[[User:Reve|Reve]] 04:55, 30 November 2022 (UTC)
: Hmm yeah Teo would definitely be more tricky. I was thinking of just going through whatever he tells us about his past as his background and put info about the beta in a separate section. I need to find some in depth stuff about the beta before I do that though.
Thank you so much for writing all that for Harry and for giving me an outline to work with :)--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:46, 30 November 2022 (UTC)
fb0d6d353d452e1f24228528a6fedc31b3ce37f2
Harry Choi
0
4
706
661
2022-11-30T05:06:01Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Script writer
|hobbies=?
|likes=?
|dislikes=?
|VAen=N/A
|VAkr=N/A
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
[[File:HarryPhoneTeaser.png]]
2fdc5320150f6a3278a21ac0976e4848f79bb4ae
Story
0
296
707
2022-11-30T05:13:37Z
Reve
11
Created page with "== Overview == == Routes == === Teo === === Harry Choi === == Forbidden Lab == === Origins === === Planets === * Vanas * Mewry * Crotune * Tolup * Cloudi * Burny * Pi * Momint === Emotions Incubator ==="
wikitext
text/x-wiki
== Overview ==
== Routes ==
=== Teo ===
=== Harry Choi ===
== Forbidden Lab ==
=== Origins ===
=== Planets ===
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Emotions Incubator ===
965779e70c87518a51f9237735f78cc338da07c5
Teo
0
3
708
663
2022-11-30T05:16:44Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
ba95bd15f08b1131e4bca3a9b690db0f77f19cec
Template:MinorCharacterInfo
10
297
709
2022-11-30T05:32:35Z
Reve
11
Created page with "<includeonly> {| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center" |+ style="text-align:center | Information |- |- | Name || {{{name}}} |- | Occupation || {{{occupation}}} |- | Hobbies || {{{hobbies}}} |- | Likes || {{{likes}}} |- | Dislikes || {{{dislikes}}} |} <br> </includeonly> <noinclude> {{MinorCharacterInfo |name=Teo |occupation=Aspiring film director |hobbies=Walking, photograph, filming shoot..."
wikitext
text/x-wiki
<includeonly>
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{name}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|}
<br>
</includeonly>
<noinclude>
{{MinorCharacterInfo
|name=Teo
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
}}
=== How to use this Template ===
<pre>
{{MinorCharacterInfo
|name=
|occupation=
|hobbies=
|likes=
|dislikes=
}}
</pre>
[[Category:Templates]]
</noinclude>
ae505f9467e670dac30da31a88bf6b2c8f427404
Joseph
0
298
710
2022-11-30T05:41:11Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Joseph |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Joseph
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
c5b31bf960c5b1a42c87f1b93b8b86f551e677e3
Jay
0
67
711
296
2022-11-30T05:41:14Z
Reve
11
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Jay Ahn
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
9bf1cdcf2a5e245bc2c3fc1e102569ae39718081
Doyoung
0
299
712
2022-11-30T05:44:46Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Doyoung |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Doyoung
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
9ae556ba0d496396638c4e426826e084364f91f8
Yuri
0
300
713
2022-11-30T05:45:00Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Yuri |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Yuri
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
1091d0630e2082ab3360fefd099667b1f8fd3043
Minwoo
0
301
714
2022-11-30T05:47:10Z
Reve
11
Created page with "[[File:Minwoo_profile.png|thumb|left|400px]] {{MinorCharacterInfo |name= Minwoo |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
[[File:Minwoo_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= Minwoo
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
da3e565656697790aab6e096d8ad2e932a907919
File:Minwoo profile.png
6
302
715
2022-11-30T05:49:48Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
User talk:Reve
3
259
718
717
2022-11-30T15:48:33Z
Hyobros
9
/* Harry */
wikitext
text/x-wiki
== Harry ==
BLESS YOU REVE I LOVE YOU /P
Okay being sane now. Can/should I use your format for Harry's page on Teo's? I've been working on writing a full bio for him and honestly your layout looks way neater than what I can accomplish.
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:24, 29 November 2022 (UTC)
Apologies if I'm formatting this response wrong. I've never actually used user talk on a wiki before o-o. You're more than welcome to use the formatting for Harry for Teo! Here's my logic for how I set it up:
- For general, I did a shorter summary of his personality. Just something quick someone could read to get caught up.
- For background, my thought was to write about Harry as he appears in Teo's route. It's a bit tricky to write that way for Teo, but that section could maybe be used to talk about the history of the character's development - like how he had a beta route and stuff?
- For route, I was planning to divide it into subheaders for each planet, and then give a summary of noteworthy events that occurred.
I've been thinking about doing some kinda formatting to better show off galleries buuuut I haven't quite figured that out yet. I know there's some kinda way to do tabs in Miraheze, but I've never done it myself. T_T
--[[User:Reve|Reve]] 04:55, 30 November 2022 (UTC)
: Hmm yeah Teo would definitely be more tricky. I was thinking of just going through whatever he tells us about his past as his background and put info about the beta in a separate section. I need to find some in depth stuff about the beta before I do that though.
: Thank you so much for writing all that for Harry and for giving me an outline to work with :) also, just indent your reply with : at the beginning of the paragraph. To reply to this one indent twice with :: and so on lol --[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:46, 30 November 2022 (UTC)
b477ab452bd6940ef70b70c22e8b9ff589597d79
Beginners Guide
0
175
719
575
2022-11-30T15:57:48Z
Hyobros
9
/* Main Page */
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
<h3>Daily Energy</h3>
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
<h3>Time Machine</h3>
<h3>Gallery</h3>
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
<h3>Trivial Features</h3>
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
<h3>Private Account</h3>
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
<h3>Profile</h3>
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each, but whether or not you have a heart can impact what day you get Teo’s confession (some got it on day 14, some got it on day 15).
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
<h3>Milky Way Calendar</h3>
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
<h3>Aurora LAB</h3>
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
TBA
53479e0261442e5ba133000afddaab699d48907f
720
719
2022-11-30T16:11:08Z
Hyobros
9
/* Main Page */
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
<h3>Daily Energy</h3>
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
<h3>Time Machine</h3>
<h3>Gallery</h3>
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
<h3>Trivial Features</h3>
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
<h3>Private Account</h3>
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
<h3>Profile</h3>
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each. Above Teo's picture is an icon to switch to another ssum-one. This freezes your time with Teo if you move on to Harry and vice versa.
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
<h3>Milky Way Calendar</h3>
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
<h3>Aurora LAB</h3>
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
TBA
83fb36404ac2b0f966d33e9223eee5bb0fe8e142
Trivial Features/Trivial
0
88
721
716
2022-11-30T16:28:04Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#26d926" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#e006e0" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
7f96407b20f3f99fd9bdf1c978f7914e9924542d
723
721
2022-11-30T16:57:58Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Icon" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#26d926" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:placeholder.png]] ||"placeholder" || placeholder || placeholder || Placeholder || Energy || Placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#e006e0" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
c57d4ec647acb354340d3db171eb240ab6235d1f
735
723
2022-12-02T16:34:37Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Icon" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#26d926" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#e006e0" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
2ec04619e532eeb13aff8cfe561591b5adb8685d
Template:MainPageEnergyInfo
10
32
722
665
2022-11-30T16:32:18Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Innocent
|date=11-30, 2022
|description=This is a wish from innocent energy.<br>'Let your wings spread. Be free and show yourself...'<br>'Be free from people's judgements...'
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.}}
0d4b63b68cf4e82163d0a8546415f7693c453d9b
Characters
0
60
724
601
2022-12-01T01:30:48Z
Reve
11
wikitext
text/x-wiki
*[[Teo]]
*[[Harry Choi]]
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[Player]]
Teo Route Minor Characters:
*[[Teo's father]]
*[[Teo's mother]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
0c17cd7deb7c01730652d6c78666f7fbfe045d7c
727
724
2022-12-01T03:45:47Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Route Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[Player]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
aaa4826922a03fc23531d55207090e71b12e9a06
728
727
2022-12-01T03:47:51Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Route Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[Player]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
d184552d6a07d0beb12f0d10ad723e129d35f9ca
733
728
2022-12-01T14:01:10Z
Hyobros
9
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[Player]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
26609ba86d923ad8cc4eb6004e01006b94a2640b
734
733
2022-12-02T13:18:01Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[Player]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
*[[Woojin]]
*[[Kiho]]
*[[Big Guy]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
1c813100538b998f983a0ef34139210da72d9ff8
Dr. Cus-Monsieur
0
226
725
605
2022-12-01T01:42:23Z
Reve
11
wikitext
text/x-wiki
{{MinorCharacterInfo
|name=Dr. Cus-Monsieur
|occupation=App Developer, Love Scientist
|hobbies=Research
|likes=Parrots
|dislikes=Perfect Love Follower, Coolitis
}}
== General ==
Dr. Cus-Monsieur (also known as Dr. C) is an enigmatic scientist who founded the [[Forbidden Lab]] developed The Ssum app. Born from a prestigious family and with a gifted brain, he became a researcher interested in discovering the secrets of the universe. Over time, however, he realized he had never fallen in love and went through a long and arduous journey to discover it. His search for love ended with him realizing the love is the foundation of the universe, and thus the secret he was looking for all along. After many tribulations, he ultimately founded the Forbidden Lab and created the artificial intelligence [[PIU-PIU]]. He installed within PIU-PIU the ability to transcend time and space, so that he could give people infinite possibilities to find love.
During the course of the game, it is revealed that Dr. C mysteriously disappeared and his whereabouts are unknown, even to PIU-PIU. Thus, the Dr. C who gives messages in the app is actually an AI meant to replicate Dr. C while they search for the real one.
== Background ==
Dr. C is largely absent from the game, he backstory only appearing in the various blue-bird transmissions that fly though the home screen of the Forbidden Lab. Additionally, Dr. C makes comments on the state of the various planets and what kind of meaning they have.
In Harry's route, it is revealed that PIU-PIU is unable to recall who the Doctor is that created him. Asking him leads him to try to load the data and fail to do so.
== Bluebird Notes ==
There are a total of 32 Bluebird transmissions which reveal the backstory of Dr. Cus-Monsieur.
Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctorate degree and become a secret researcher who seeks the secret of the universe. The young doctor spent his time in glory, marking every single one of his footsteps with success. Then one day he looked back upon his perfect life and thought…
‘I have accomplished everything, but I have never once fallen in love!’
For the first time in his life, he felt lonely! Thus Dr. Cus-Monsieur decided to experience love. At the same time, he decided to quit his job and put an end to his glorious career at the secret space lab, in order to discover the formula for the ‘perfect love!’ Dr. Cus-Monsieur departed from the secret space lab and officially registered as a member of PLF (Perfect Love Follower), the most prestigious international institution in love that aims for the perfect love. Did he manage to find love at PLF, you ask…? The mission of PLF was to research and train its members in how to be cool enough to excel in the modern world and hence become a perfect candidate to be a perfect couple. Its manual boasted over millions of followers, upon which 95.4 percent of all couple-matching websites over the globe base their guidelines! Therefore, Dr. Cus-Monsieur began to strictly follow PLF’s manual to become ‘cool.’
The following is an excerpt from an educational resource of PLF (Perfect Love Follower)…
<How to be a perfect candidate for Love>
1. Exposure of your faults will only provide you with a title of a loser. Keep them to yourself.
2. When you have trouble controlling your emotions, distract them with an activity that can divert your attention.
3. Even when you are offended, you must keep your heart under control and appear ‘cool.’ You must not reveal the slightest of vulnerability to your party.
4. Make yourself look as mysterious and rich as possible. Speak less, and drench yourself in expensive items of latest fashion.
5. It all begins with looks. Save nothing for your appearance.
6. Bring up an art culture or speak in a foreign language once every 10 sentences.
[Reference] cool occupations include doctors, lawyers, employees at top-tiered corporates, and professors.
With expertise in emotional control, qualifications and competence from his past career, and investment in looks, Dr. Cus-Monsieur gained the privilege to reserve a spot at the platinum rank according to the guidelines of PLF. Which was why he was more than confident that he will find love. Countless people got in line to have their first date with Dr. Cus-Monsieur! But surprisingly… The more dates Dr. Cus-Monsieur had, the more conspicuous the faults in his parties grew. Soon his dates turned into something written on his agenda for him to deal with, and the doctor grew inclined to escape from them. He did not find love; he found more calculations for his brain, and they did not stop growing.
The series of failures left Dr. Cus-Monsieur with bewilderment. He wondered, ‘I’ve been faithful to the manual of the institution that studies perfect love… How come it is impossible for me to fall in love?’ Then one day, at the end of his encounter with his 111th date, Dr. Cus-Monsieur claimed, fingering the collar of his Barberry coat and sipping from a takeout of roastery coffee he got…
‘Now I must make myself disappear, like the perfume of coffee met with the frigid wind. The board meeting for Elite Lovers awaits me for the next morning. Only those ranked platinum at PLF system are eligible to become Elite Lovers, and I must make sure I live up to the expectations for an Elite Lover. After all - the doctor sipped his coffee once again and tilted his head by 45 degrees to look up at the sky - I must be perfect in everything.’
And his party pointed out something. ‘I think you’ve got morbid obsession with being cool - and you’ve got it bad.’ The doctor felt as if he were hammered in the head. His 111th date was the last one he ever met via PLF matching system. ‘I had no doubt that being cool is the best… Perhaps PLF is wrong. Which is why I must find a solution myself.’ Once he shed his Guzzi outfit to instead change into his sweatsuit, Dr. Cus-Monsieur returned to his lab to analyze data on his 111 failures.
After 3 months of leaving himself to rot like a corpse in his lab… Dr. Cus-Monsieur reached a conclusion that the 111 dates had rendered him a serious case of morbid obsession with being cool, personally dubbed as ‘coolitis’. Additionally, he discovered how the ‘coolitis’ syndrome is getting viral particularly in countries dense with competition. He moved on to study the relation between ‘coolitis’ and couples. To his surprise, he could start collecting vast amount of data that will prove how people with coolitis are more likely to fail in relationships compared to those without coolitis. With the knowledge that people who follow guidelines established by PLF are doomed to be contagious with coolitis, the doctor began to investigate what lies at the heart of this institution. His investigation led him to an elusive group of people that sponsors the PLF… Which turned out to be a group of bankers who hold the key to the flow of money. The doctor had to stop his investigation, for the sake of his own safety.
<Paper No. 23 - The Progress of a Relationship Through Coolitis> Written by: Dr. Cus-Monsieur
Coolitis takes progress through five stages in total. Being cool - coining the image of coolness - Excessive competition - Meticulous calculation - Impenetrable closure of heart. The safety net for victims of coolitis exists only up to the 3rd stage, until which victims can find matches ‘equally cool,’ assume 'cool love,’ or even marry or live with their matches in a 'cool way.’ However, once they start sharing their lives, they become vulnerable to the exposure of weakness within, hidden under their cool facades. The victims attempt to compromise with the reality in a way they would comprehend it, but research has revealed that the chance of termination of a relationship is in a correlative relation to the duration of coolitis, most significantly due to the frustration victims would face upon realizing that their weaknesses are deemed unacceptable, in contrast to their desire for compensation that will meet their expectations.
Dr. Cus-Monsieur came up with a theory for treatment of coolitis, something that was on the far end of a pole from PLF’s core belief - ‘In order to find true love, we must become losers.’ The doctor discovered a pattern in the course of his research - coolitis is a rarity in countries less densely populated with competition. The majority of couples free from coolitis will not make habitual calculations on each other’s resources and values. Instead, they focus on their own resources and values, to expend the remainder of their resources for their parties. Dr. Cus-Monsieur shook his head as he calculated the amount of time he had wasted for the past 111 dates and muttered, ‘What was all that for…?’ He burned the GQue magazine he used to digest in order to keep up with the latest trend, to instead grab a slice of sweet cake full of trans fats. He gave up on being cool. He let his beard grow, filled his diet table with cakes and fast foods for all meals, and brought in a parrot he has always dreamed of, named ‘PIU-PIU’. He even took the courage to don an XXXL-sized t-shirt printed, 'I am a lonely loser.’
The chairman of PLF, ‘Julianasta Lovelizabeth Victorian-Gorgeous’ was appalled upon finding the doctor by coincidence. She yelled, 'Nobody will ever love you, unless you rid yourself of trans fats and and become cool!' The doctor did not heed and replied, 'According to my research you will find nothing but pain in love. I’d say my standing is better than yours. This cake in my hand is making my present sweet.’ Thus Dr. Cus-Monsieur parted ways with the PLF. He founded a lab name ‘Heart’s Face Lab,’ represented by a pair of praying hands, deep in the mountains by the countryside no one would visit. Due to the lab’s 'so-not-cool’ title and hopeless level of accessibility, people could not be more apathetic about it. Social media around the time used to be viral with Julianasta Lovelizabeth Victorian-Gorgeous’s post gloating over it. Having learned his small lesson, the doctor changed the title of his lab as ‘Forbidden Lab’ and restationed it as an online-based lab. And he published his research paper about coolitis, along with a documentary that exposed the suspicious partnership lurking within the PLF.
People who are fond of conspiracies began to visit the Forbidden Lab. ‘That’s a good start. Now it’s time for me to start the project to discover true love,’ thought the doctor. Dr. Cus-Monsieur dedicated his entire fortune to work jointly with his visitors and develop an A.I. machine that will collect and analyze data on love, named 'PIU-PIU’ after his parrot. He coined the term ‘ssum’ that will refer to the period of time a potential couple would spend to get to know about each other and immerse themselves in fantasies that they would expect from each other’s facade. He eventually developed a messenger app titled ’The Ssum’ targeting those in 'ssum,’ which will lock upon the energy of 'those seeking love’ and send secret invitations to guide them to the Lab through the app.
The Forbidden Lab accessible through the app was designed in a way people who take the courage to talk about what lies them will be recharged with energy… The energy they have lost from the world that demands them to be ‘cool.’ On the surface, PIU-PIU the A.I. is a virtual assistant that guides people to people through blind dates. In reality, this intricately developed A.I. serves as the central command center that connects the Forbidden Lab to the users of The Ssum, by utilizing millions of bluebirds in its data communications. PIU-PIU’s analysis revealed that the human mechanism of love is similar to the foundations of the universe. Hence Dr. Cus-Monsieur could at last reach enlightenment on the secret of the universe. ‘The time of the universe is linear, connected to infinite future, not one,’ realized the doctor.
Under covers from the watchful eyes of MASA, he installed within PIU-PIU a 'forbidden mechanism’ that would allow PIU-PIU to transcend time and space. Thus he gave birth to a time machine that can take its user to the past or a certain point in the future. As PIU-PIU transcends both time and space, it can travel to any corner of the universe in a blink of loading. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension.
Dr. Cus-Monsieur believed on Earth humans would have trouble emancipating themselves from coolitis due to obsession with their facades. So he decided to send the lab participants of The Ssum to planets in the 4th dimension. And thousands and millions of lab participants would find themselves on journey to the planets in the Infinite Universe for this reason.
You have reached the end of the story.
Dear <Player>.
Currently Dr. Cus-Monsieur’s whereabouts are unknown; he disappeared, with me left behind (Currently we have an A.I. to substitute him, to make people believe he is still with us). Please let us know once you find him.
Written by. PIU-PIU, the talking parrot.
7b3c75a7a513c5e17f91ab6c0b7b7a74336df845
Forbidden Lab
0
303
726
2022-12-01T01:57:46Z
Reve
11
Created page with "== General == The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them. == Background == == Features == === Emotion Incubation === The Emotion Incubator takes emotional energy (wh..."
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
6dcc4a0f17a7a0ac6255a192455d35e656db4929
PIU-PIU
0
5
729
13
2022-12-01T03:54:25Z
Reve
11
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= PIU-PIU
|occupation=Artificial Intelligence
|hobbies=Finding love matches
|likes=Emotions, Dr. C, Perfect Romance
|dislikes=Deleting the app
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
338e8089a5d5ce723708242c6c2e3f07d9a1456a
731
729
2022-12-01T04:02:57Z
Reve
11
wikitext
text/x-wiki
[[File:PIUPIU_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= PIU-PIU
|occupation=Artificial Intelligence
|hobbies=Finding love matches
|likes=Emotions, Dr. C, Perfect Romance
|dislikes=Deleting the app
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
ff0ecbab0e33b39dff888e2eca7d4ac1163fb413
Player
0
63
730
138
2022-12-01T03:55:03Z
Reve
11
wikitext
text/x-wiki
== General ==
TBA
== Background ==
TBA
== Gallery ==
TBA
69cc4bcc3f5ccc52a9dbf951654d24b8f7165278
File:PIUPIU profile.png
6
304
732
2022-12-01T04:11:12Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Hopefully Getting Tip For Fee Icon.png
6
305
736
2022-12-02T16:35:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Humor For Your Depression Icon.png
6
306
737
2022-12-02T16:35:56Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Know How Good Sentences Icon.png
6
307
738
2022-12-02T16:36:10Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Kudos For Myself Icon.png
6
308
739
2022-12-02T16:36:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leader Of No Boredom Lab Icon.png
6
309
740
2022-12-02T16:37:05Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Life Rich With Sentences Icon.png
6
310
741
2022-12-02T16:37:18Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lodging Fees From Moon Bunny Icon.png
6
311
742
2022-12-02T16:37:31Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Magnetism For Freedom Icon.png
6
312
743
2022-12-02T16:37:45Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Mirror Of Truth Icon.png
6
313
744
2022-12-02T16:37:58Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Month To Thank For Icon.png
6
314
745
2022-12-02T16:38:15Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:No Need Hesitate Icon.png
6
315
746
2022-12-02T16:38:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pain Controller Icon.png
6
316
747
2022-12-02T16:38:47Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pro Audience With Jokes Icon.png
6
317
748
2022-12-02T16:39:25Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Profound Human Relations Icon.png
6
318
749
2022-12-02T16:39:39Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Reckless Couple Icon.png
6
319
750
2022-12-02T16:39:56Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Regular Visitor Universe Icon.png
6
320
751
2022-12-02T16:40:32Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Searching For Pain Icon.png
6
321
752
2022-12-02T16:41:06Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spreading Warm Gratitude Icon.png
6
322
753
2022-12-02T16:41:20Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Summoning Spirits Icon.png
6
323
754
2022-12-02T16:41:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Supporter Of Desire Icon.png
6
324
755
2022-12-02T16:41:55Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Ten Days Thank For Icon.png
6
325
756
2022-12-02T16:42:16Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Thankful I Lost It Icon.png
6
326
757
2022-12-02T16:42:59Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:This Is Fun Icon.png
6
327
758
2022-12-02T16:43:26Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Time Travel Beginners Icon.png
6
328
759
2022-12-02T16:44:03Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Unfair Deal Icon.png
6
329
760
2022-12-02T16:44:22Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Upgraded Icon.png
6
330
761
2022-12-02T16:48:07Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Variety In Dreams Icon.png
6
331
762
2022-12-02T16:48:22Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Visiting Universe Week Icon.png
6
332
763
2022-12-02T16:49:03Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Wasnt So Bad Icon.png
6
333
764
2022-12-02T16:49:16Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Welcome To The Shelter Icon.png
6
334
765
2022-12-02T16:49:28Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:What Are You Grateful For Icon.png
6
335
766
2022-12-02T16:49:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Talk:Teo/Gallery
1
336
767
2022-12-04T23:18:52Z
Hyobros
9
/* Layout thoughts */ new section
wikitext
text/x-wiki
== Layout thoughts ==
Given that inevitably we'll have a lot of images posted on this page, we should have it set up so we don't force them to load all at once. I thought of maybe having each season collapsible and then have the pics sorted by day, also under collapsible tabs? The day part comes mostly from the fact that we get well over 100 per season, but if we only include images of Teo that wouldn't really be a problem. But I can see the 'importance' of having all the pics included so idk what do you think?
[https://drive.google.com/file/d/1GnVajpcVMaAfVbxbhFcfPPxEIlcEBerF/view?usp=sharing Here's a thing to visualize what I'm thinking.]
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 23:18, 4 December 2022 (UTC)
b7d2256dc46b567cfaa40f3bcd6f4ff588eedc0a
Template:MainPageEnergyInfo
10
32
768
722
2022-12-04T23:21:29Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Rainbow
|date=12-4, 2022
|description=Today you can get all kinds of energy available.
|cusMessage=Having everything you need will make this day more beautiful. And we still support your study of the day.}}
7dcd3d6cb27a5e607a1259cdd35f0d2db7d5d2a2
836
768
2022-12-13T13:55:14Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Peaceful
|date=12-13, 2022
|description=We all have peaceful energy. You will also have peaceful energy within you.
|cusMessage=We are grateful for everything today. And I hope you would have another happy day.}}
db180d7fbcd9057ece6a5017c5a8615b3e2fb4d1
846
836
2022-12-14T15:45:35Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Jolly
|date=12-14, 2022
|description=This is a wish from jolly energy.<br>'Hopefully we all can be jolly and free of concerns...'<br>'Hopefully days full of laughter draw near...'
|cusMessage=A Jolly joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...}}
edcb4837ff1add7a386ed07e610bce00957150db
Talk:Teo/Gallery
1
336
769
767
2022-12-05T15:19:06Z
Reve
11
/* Layout thoughts */
wikitext
text/x-wiki
== Layout thoughts ==
Given that inevitably we'll have a lot of images posted on this page, we should have it set up so we don't force them to load all at once. I thought of maybe having each season collapsible and then have the pics sorted by day, also under collapsible tabs? The day part comes mostly from the fact that we get well over 100 per season, but if we only include images of Teo that wouldn't really be a problem. But I can see the 'importance' of having all the pics included so idk what do you think?
[https://drive.google.com/file/d/1GnVajpcVMaAfVbxbhFcfPPxEIlcEBerF/view?usp=sharing Here's a thing to visualize what I'm thinking.]
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 23:18, 4 December 2022 (UTC)
:Oh, that's a good idea! Tbh, I was just cherry-picking photos from each planet because I wasn't quite sure how to do it with so many images.
--[[User:Reve|Reve]] ([[User talk:Reve|talk]]) 15:19, 5 December 2022 (UTC)
7876d26fca9be8485e49cd2a6cd2ea96ce965c3c
File:TeoDay1PrologueSelfie.png
6
337
770
2022-12-05T19:43:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Space Creatures
0
29
771
624
2022-12-06T13:29:22Z
User135
5
Background color changes
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_creature.png|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_creature.png|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:AI_Spaceship_creature.gif|''[[AI_Spaceship|AI Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_creature.png|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_creature.png|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_creature.png|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_creature.png|''[[Orion|Orion]]'' </gallery>
|}
691030afca4786f349a436a7e28f3b707bf675d3
Harry Choi
0
4
772
706
2022-12-06T13:42:29Z
User135
5
Added info
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Sleeping
|likes=Carrots, Almond Milk, Black Tea
|dislikes=Coffee, Insects, Waking up early
|VAen=N/A
|VAkr=N/A
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
[[File:HarryPhoneTeaser.png]]
6ca20ed75f742cdb83aa4459a37c7c0dbba59ede
773
772
2022-12-06T13:43:07Z
User135
5
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=TBA
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea
|dislikes=Coffee, Insects, Waking up early
|VAen=N/A
|VAkr=N/A
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
[[File:HarryPhoneTeaser.png]]
ce2f74b56828a2129e6cc5a708c23cf721b90e6a
777
773
2022-12-08T21:01:34Z
User135
5
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
[[File:HarryPhoneTeaser.png]]
b07c1bcaf75cb0b7aadbacbb0d71d84b97090e1f
825
777
2022-12-11T20:24:54Z
User135
5
Added trivia
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg]]
[[File:HarryPhoneTeaser.png]]
e640660b2611a8919b76346d5ab2a0ea7b11e1ad
Trivial Features/Trivial
0
88
774
735
2022-12-06T13:51:36Z
User135
5
Softened the colors
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Icon" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
a760578634b847acbfb840373738fcaa7e0a7fcb
839
774
2022-12-13T16:37:19Z
Hyobros
9
Adding categories for seasonal planets - someone better with color please adjust this
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Icon" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
a92a1fa65df7b5cb753496287125d7666d84e0b3
847
839
2022-12-14T15:51:29Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Icon" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
0d41ddc5622ba067c0a0ab0dcf58ce707636520d
849
847
2022-12-14T20:06:16Z
Hyobros
9
/* Trivial Features by Emotion Planet */ corrected a typo
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
6765fb397fd6a7bf1da9fbc1bccb404b344e2ccf
Teo
0
3
775
708
2022-12-08T16:44:27Z
Hyobros
9
/* General */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
== Background ==
TBA
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
269d8a879d00a7fdfe063deaa5eba3c973080503
776
775
2022-12-08T16:54:03Z
Hyobros
9
/* Background */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
a82c51b669756da688875a5750352927fbfcc1dd
File:TeoDay2DinnerSelfie.png
6
338
778
2022-12-09T15:20:21Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TeoDay2DinnerPic2.png
6
339
779
2022-12-09T15:21:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:2 Days Since First Meeting Dinner Pictures.png
6
341
781
2022-12-09T15:22:13Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:2 Days Since First Meeting Lunch Pictures(2).png
6
342
782
2022-12-09T15:22:31Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:3 Days Since First Meeting Wake Time Pictures 01.png
6
343
783
2022-12-09T16:48:20Z
Hyobros
9
Uploaded a work by Cheritz Co. from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A selfie of Teo}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz Co.
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-4.0}}
6d87f689b03cd6009f2514cc5e6e4f2034206838
Teo/Gallery
0
245
822
656
2022-12-09T17:38:28Z
Hyobros
9
/* Vanas */
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1LunchSelfie.png|Day 1
TeoDay5DinnerSelfie.png|Day 5
TeoDay7BedtimeSelfie.png|Day 7
TeoDay9BedtimeSelfie.png|Day 9
TeoDay13WaketimeSelfie.png|Day 13
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
</div>
== Mewry ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Crotune ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Tolup ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Cloudi ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Burny ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Pi ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
== Momint ==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
11043ff1d353477e208f8608109c66673a1089ca
823
822
2022-12-09T17:48:08Z
Hyobros
9
reformatting
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1LunchSelfie.png|Day 1
TeoDay5DinnerSelfie.png|Day 5
TeoDay7BedtimeSelfie.png|Day 7
TeoDay9BedtimeSelfie.png|Day 9
TeoDay13WaketimeSelfie.png|Day 13
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
b80fb06d8d593d289bda8c396bb63509703a7267
845
823
2022-12-13T17:00:37Z
Hyobros
9
/* Vanas */ Adding some pictures
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Wake Time Pictures 03.png|Day 3
TeoDay5DinnerSelfie.png|Day 5
TeoDay7BedtimeSelfie.png|Day 7
TeoDay9BedtimeSelfie.png|Day 9
TeoDay13WaketimeSelfie.png|Day 13
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
13b70dea54f43ef25725320d20cb6f630b8822b1
PIU-PIU
0
5
824
731
2022-12-11T19:31:14Z
Reve
11
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[PIU-PIU|Profile]]</div>
|<div style="text-align:center">[[PIU-PIU/Gallery|Gallery]]</div>
|}
[[File:PIUPIU_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= PIU-PIU
|occupation=Artificial Intelligence
|hobbies=Finding love matches
|likes=Emotions, Dr. C, Perfect Romance
|dislikes=Deleting the app
}}
== General ==
TBA
== Background ==
=== Route Differences ===
PIU-PIU is entirely absent from the initial days of Teo's route, only appearing on Day 100. However, PIU-PIU does appear from time to time after that day, mostly to tease the player and Teo. PIU-PIU is more distant in this route, focusing purely on critiquing the relationship between the player and Teo or to directly report on Teo's whereabouts.
== Trivia ==
TBA
9a0a9ba6df147deb0af84114f6a108e71b0125d9
Characters
0
60
826
734
2022-12-11T20:32:01Z
User135
5
Added minor characters from Harry's route
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[Player]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
*[[Woojin]]
*[[Kiho]]
*[[Big Guy]]
*[[Rachel]]
*[[Tain Park]]
*[[Malong Jo]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
c40da509758150224aa490cd315941166da37822
PIU-PIU's Belly
0
382
827
2022-12-11T21:45:45Z
User135
5
Created page with "{| class="wikitable mw-collapsible mw-collapsed" style="margin-left:0; width:50%; height:200px" ! colspan="3" style="background:#de8b83; color:#f6e0de; text-align:center;" | GIFTS |- | Nest Egg|| Red Rose|| Vodka |- | Shovel for fangirling || Warm coffee || Soft Lamp |- | Stage Microphone || Tip || Marble Nameplate |- | Teddy Bear || Dandelion Seed || Cream Bun |- | Massage Chair || 4K Monitor || A Box of Snacks |- | Hearty Meal || Cat || Punching Bag |- | Golden Fountai..."
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="margin-left:0; width:50%; height:200px"
! colspan="3" style="background:#de8b83; color:#f6e0de; text-align:center;" | GIFTS
|-
| Nest Egg|| Red Rose|| Vodka
|-
| Shovel for fangirling || Warm coffee || Soft Lamp
|-
| Stage Microphone || Tip || Marble Nameplate
|-
| Teddy Bear || Dandelion Seed || Cream Bun
|-
| Massage Chair || 4K Monitor || A Box of Snacks
|-
| Hearty Meal || Cat || Punching Bag
|-
| Golden Fountain Pen || Alien || Fan Club Sign-Up Certificate
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin:0 0 auto auto; width:50%;height:200px"
! colspan="3" style="background:; color:; text-align:center;" | TITLES
|-
| || ||
|-
| || ||
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin-right:auto; margin-left:0; width:50%; height:200px"
! colspan="3" style="background:; color:; text-align:center;" | TITLES
|-
| || ||
|-
| || ||
|-
|}
72499b97dd66d34e1c3bdad9896a2fa8c5b9598f
828
827
2022-12-11T21:46:47Z
User135
5
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="margin-left:0; width:50%; height:200px"
! colspan="3" style="background:#de8b83; color:#f6e0de; text-align:center;" | GIFTS
|-
| Nest Egg|| Red Rose|| Vodka
|-
| Shovel for fangirling || Warm coffee || Soft Lamp
|-
| Stage Microphone || Tip || Marble Nameplate
|-
| Teddy Bear || Dandelion Seed || Cream Bun
|-
| Massage Chair || 4K Monitor || A Box of Snacks
|-
| Hearty Meal || Cat || Punching Bag
|-
| Golden Fountain Pen || Alien || Fan Club Sign-Up Certificate
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin:0 0 auto auto; width:50%;height:200px"
! colspan="3" style="background:; color:; text-align:center;" | TITLES
|-
| || ||
|-
| || ||
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin-right:auto; margin-left:0; width:50%; height:200px"
! colspan="3" style="background:; color:; text-align:center;" | MORE
|-
| || ||
|-
| || ||
|-
|}
b942874e451545f64a5d54e7592a87fbcac49f58
829
828
2022-12-11T21:48:54Z
User135
5
wikitext
text/x-wiki
{{WorkInProgress}}
{| class="wikitable mw-collapsible mw-collapsed" style="margin-left:0; width:50%; height:200px"
! colspan="3" style="background:#de8b83; color:#f6e0de; text-align:center;" | GIFTS
|-
| Nest Egg|| Red Rose|| Vodka
|-
| Shovel for fangirling || Warm coffee || Soft Lamp
|-
| Stage Microphone || Tip || Marble Nameplate
|-
| Teddy Bear || Dandelion Seed || Cream Bun
|-
| Massage Chair || 4K Monitor || A Box of Snacks
|-
| Hearty Meal || Cat || Punching Bag
|-
| Golden Fountain Pen || Alien || Fan Club Sign-Up Certificate
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin:0 0 auto auto; width:50%;height:200px"
! colspan="3" style="background:; color:; text-align:center;" | TITLES
|-
| || ||
|-
| || ||
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin-right:auto; margin-left:0; width:50%; height:200px"
! colspan="3" style="background:; color:; text-align:center;" | MORE
|-
| || ||
|-
| || ||
|-
|}
2267c6023dadd1f4342ea1337d1b4b9c44564273
MediaWiki:Sidebar
8
34
830
246
2022-12-11T21:54:43Z
User135
5
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energy
** Planets|Planets
**Space_Creatures|Space Creatures
** Trivial_Features|Trivial Features
** PIU-PIU's_Belly|PIU-PIU's Belly
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
11931348381506620ef1296b63e69ee8243de505
Planets/Archive of Terran Info
0
56
831
210
2022-12-11T22:42:06Z
Reve
11
/* Description */
wikitext
text/x-wiki
== Description ==
"''Try analyzing the data from the Archive of Terran Info. But make sure you have the Wall of Reason to keep you objective.''"
== Gifts ==
* Massage Chair
a5b3a67c97401244fe08fc588324b7affde2ef5f
832
831
2022-12-11T22:42:28Z
Reve
11
/* Gifts */
wikitext
text/x-wiki
== Description ==
"''Try analyzing the data from the Archive of Terran Info. But make sure you have the Wall of Reason to keep you objective.''"
4a45cfa42a010d69340f5b4d4e74bbe3916ea90d
Energy/Logical Energy
0
11
833
272
2022-12-11T22:42:58Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-30, 2022
|description=The more logical you get, the better you will be in making arguments. So make use of this day to let your arguments unfold.
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.}}
|} </center>
== Gifts ==
* Massage Chair
[[Category:Energy]]
5845d85fc486b8a8c7c388349f8216c39bc596a2
Energy/Galactic Energy
0
19
834
111
2022-12-11T22:44:30Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#AC4ED8">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#AC4ED8">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#AC4ED8}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
== Gifts ==
* Golden Fountain Pen
* Alien
* Fan Club Sign-Up Certificate
[[Category:Energy]]
2acca6eb53c7fa444061da530d228d842b066146
Energy/Passionate Energy
0
7
835
497
2022-12-11T22:45:10Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| |{{DailyEnergyInfo
|energyName=Passionate
|date=10-13, 2022
|description=A person full of this energy tends to feel comfortable with color red. What about you?
|cusMessage=Desire cannot be born from love, but it can lead to love. I look forward to your passionate data on love.}}
|-
|{{DailyEnergyInfo
|energyName=Passionate
|date=10-28, 2022
|description=A primal desire...? I believe you are discussing instincts, I hope you can get closer to your instincts.
|cusMessage=Today the lab participants all over the world once again amaze me with their passion. Thank you for your dedication to our study.}}
|-
|}
== Gifts ==
* Red Rose
[[Category:Energy]]
def03ef72bb40a716aaaae41a6cfc7d81cb96396
File:Harry Match Picture.png
6
383
837
2022-12-13T15:49:08Z
Hyobros
9
Ripped by dataminessum.
wikitext
text/x-wiki
== Summary ==
Ripped by dataminessum.
6ed3fe9686fdb8f0fbae2083a40d53d4cb6ba9a5
File:Teo Match Picture.png
6
384
838
2022-12-13T15:49:44Z
Hyobros
9
Ripped by dataminessum.
wikitext
text/x-wiki
== Summary ==
Ripped by dataminessum.
6ed3fe9686fdb8f0fbae2083a40d53d4cb6ba9a5
Planets/Vanas
0
86
840
623
2022-12-13T16:41:35Z
Hyobros
9
adding "about this planet" from data search
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
<h4>About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
<h2>Description</h2>
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
2b8a35f45a78618f5bed27b1af123d24f95c07ad
Planets/Mewry
0
238
841
626
2022-12-13T16:43:05Z
Hyobros
9
adding "about this planet" from data search
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''<br>⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
<h4>About this planet</h4>
Very carefully unraveling knots of planet Mewry...
==Description==
This is the second seasonal planet players will reach on Teo's route.
7e8bbd62fa84aa9ad357812c0756155431af2335
Planets/Crotune
0
385
842
2022-12-13T16:44:04Z
Hyobros
9
Created page with "<h4>About this planet</h4> Oh no! Unexpected strife of heart is causing meltdown in Mt. Crotune!"
wikitext
text/x-wiki
<h4>About this planet</h4>
Oh no! Unexpected strife of heart is causing meltdown in Mt. Crotune!
dc90ce9bbcc85dbf7ac082cd6ba2872320a10f38
848
842
2022-12-14T16:09:10Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #efbf8f"
| style="border-bottom:none"|<span style="color: #160d04"> '''Dreams, Ideals, and Reality'''<br>⚠Transmission from planet Crotune
|-
|style="font-size:95%;border-top:none" | No matter how sweet it is, sometimes love cannot<br>contain its shape. For instance, love often crumbles<br>at the face of reality.<br>Hopefully your love will hold him steadfast.<br>So we are sending sweet yet bitter signal.
|}
<h4>About this planet</h4>
Oh no! Unexpected strife of heart is causing meltdown in Mt. Crotune!
7a7071831c266afb6a2bd251c195e8e8fbb5fafa
Planets/Tolup
0
237
843
621
2022-12-13T16:45:09Z
Hyobros
9
adding "about this planet" from data search
wikitext
text/x-wiki
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
c5b857e64beaa794209b6978973058f835ae0d72
Planets/Cloudi
0
386
844
2022-12-13T16:46:35Z
Hyobros
9
Created page with "<h4>About this planet</h4> ^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$"
wikitext
text/x-wiki
<h4>About this planet</h4>
^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$
25742d935f20a770651736d0330759ef94d4abdc
Beginners Guide
0
175
850
720
2022-12-15T01:03:43Z
Reve
11
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
== Energy ==
=== Energy Uses ===
Energy is a currency used to incubate Emotions. These emotions can be used to create and to support posts on the various planets.
=== Daily Energy ===
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
=== Earning Energy ===
* Watching ads in Free Energy tab of the Aurora LAB (Limit 5 per day)
* Posting a reply in the Free Emotion Study of the Day (will be the emotion of the day)
* Random chance when supporting posts in the Free Emotion Study of the Day
* Random chance when supporting posts in the various planets
* Random chance when responding to a chat from Teo or Harry
* Unlocking Trivial Features
* Releasing a bluebird transmission on the Forbidden Lab screen
* Collecting rent from Space Creatures in the Sunshine Shelter
* Utilizing the battery grinder in the Emotion Incubator
* Tapping the pink feather at the end of chats
== Emotions ==
There are eight emotions, which each relate to the eight non-seasonal planets:
* Freedom to Be Bored
* Strong Desire
* Wings of Sensitivity
* Best Jokes Ever
* Gratitude
* Wall of Reason
* Puzzles in Relationship
* Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
== Time Machine ==
== Gallery ==
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
== Trivial Features ==
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
== Private Account ==
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
== Profile ==
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each. Above Teo's picture is an icon to switch to another ssum-one. This freezes your time with Teo if you move on to Harry and vice versa.
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
== Milky Way Calendar ==
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
== Aurora LAB ==
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
TBA
ee560be033b2b662c6ec13bc8a716a3eabe87fa3
851
850
2022-12-15T01:36:35Z
Reve
11
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a Google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
[[File:MainScreen.png|400px|thumb|right]]
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
== Incubator ==
[[File:IncubatorImage.png|400px|thumb|right]]
The incubator is a screen to the right of the main screen. It is used to transform energy into emotions.
* Incubator Level: The incubator can be leveled up, which results in a creature box.
* Incubator Efficiency: The incubator can be made more efficient with each level. The more efficient the incubator is, the more likely it is to produce a unique emotion, rather than a bored emotion. The efficiency of the incubator can only be increased to 10%
* Overproduction: Occasionally, the incubator will create more emotions than expected. This can be shown by the green rings around the incubator's flask.
* Incubating Aidbot: A paid feature - a robot will incubate energy automatically until PIU-PIU's belly is full.
=== Flasks ===
Flasks are used to incubate emotions. By default, each player has three available flasks. However, flasks can be purchased in the Aurora Lab shop.
=== Energy Uses ===
Energy is a currency used to incubate Emotions. These emotions can be used to create and to support posts on the various planets. In the City of Free Men planet, bored emotions can also be used to create labs or to exchange 100 bored emotions for a frequency.
[[File:EnergyTypes.png|400px|thumb|right]]
=== Daily Energy ===
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
=== Earning Energy ===
* Watching ads in Free Energy tab of the Aurora LAB (Limit 5 per day)
* Posting a reply in the Free Emotion Study of the Day (will be the emotion of the day)
* Random chance when supporting posts in the Free Emotion Study of the Day
* Random chance when supporting posts in the various planets
* Random chance when responding to a chat from Teo or Harry
* Unlocking Trivial Features
* Releasing a bluebird transmission on the Forbidden Lab screen
* Collecting rent from Space Creatures in the Sunshine Shelter
* Utilizing the battery grinder in the Emotion Incubator
* Tapping the pink feather at the end of chats
== Emotions ==
[[File:EmotionsDiagram.png|400px|thumb|right]]
There are eight emotions, which each relate to the eight non-seasonal planets:
* Freedom to Be Bored
* Strong Desire
* Wings of Sensitivity
* Best Jokes Ever
* Gratitude
* Wall of Reason
* Puzzles in Relationship
* Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
=== Frequencies ===
Frequencies are unique, seasonal planets. These planets typically last for 30 days, although some planets are shorter. While these planets are in orbit, a unique frequency can sometimes be incubated. After acquiring 30 of these frequencies, a new planet will open.
The currently available seasonal planets are:
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Gifts ===
Very rarely, the incubator will produce gifts. Each emotion will produce a unique set of gifts. These gifts can be given to players in the various planets. Received gifts can be decomposed in PIU-PIU's belly and give a free aurora battery. Additionally, gifts can be given to player's cults in Momint for extra batteries.
* Nest Egg (Passion)
* Rose (Passion)
* Vodka (Passion)
* Shovel for fangirling (Sensitivity)
* Warm Coffee (Sensitivity)
* PIU-PIU Lamp (Sensitivity)
* Stage Microphone (Jolly)
* Tip (Jolly)
* Marble Nameplate (Jolly)
* Teddy Bear (Peaceful)
* Dandelion Seed (Peaceful)
* Cream Bun (Peaceful)
* Massage Chair (Logical)
* 4K Monitor (Logical)
* A Box of Snacks (Logical)
* Hearty Meal (Pensive)
* Cat (Pensive)
* Punching Bag (Pensive)
* Golden Fountain Pen (Galactic)
* Alien (Galactic)
* Fan Club Sign-Up Certificate (Galactic)
== Time Machine ==
[[File:TimeMachineScreen.png|400px|thumb|right]]
== Gallery ==
[[File:GalleryScreen.png|400px|thumb|right]]
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
== Trivial Features ==
[[File:TrivialScreen.png|400px|thumb|right]]
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
== Private Account ==
[[File:PrivateAccountScreen.png|400px|thumb|right]]
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
== Profile ==
[[File:ProfileScreen.png|400px|thumb|right]]
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
[[File:SurveyResultsExample.png|400px|thumb|right]]
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each. Above Teo's picture is an icon to switch to another ssum-one. This freezes your time with Teo if you move on to Harry and vice versa.
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
== Milky Way Calendar ==
[[File:MilkyWayScreen.png|400px|thumb|right]]
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
== Aurora LAB ==
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
[[File:LabHomeScreen.png|400px|thumb|right]]
TBA
58b36568c00adc076ce5b99ebc1b002f6df240fc
Joseph
0
298
852
710
2022-12-15T01:56:32Z
Reve
11
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Joseph Jung
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
ac144740360e85113398a96861a6544ae3903d17
Woojin
0
387
853
2022-12-15T01:56:47Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Woojin |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Woojin
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
7e431f4860847324183fdfc388fed00cbfba2adc
Kiho
0
388
854
2022-12-15T01:57:07Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Kiho |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Kiho
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
46c6e8ea023b7801835decded37c738abd891ee9
Rachel
0
389
855
2022-12-15T01:57:28Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Rachel |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Rachel
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
d38660d46567e6e735239dd5306b2d55be11c860
Tain Park
0
390
856
2022-12-15T01:57:39Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Tain Park |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
05f5b63812b742135e8ec3fa9865c67f3b3db496
Malong Jo
0
391
857
2022-12-15T01:57:48Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Malong Jo |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Malong Jo
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
244ad8e9bd431dfbec91a0a00f551d9f78700468
Big Guy
0
392
858
2022-12-15T01:58:24Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Big Guy |occupation= |hobbies= |likes= |dislikes= }} [[File:BigGuy_profile.png|thumb|left|400px]] == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Big Guy
|occupation=
|hobbies=
|likes=
|dislikes=
}}
[[File:BigGuy_profile.png|thumb|left|400px]]
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
f9665a120289e6676770391f300942f6561007be
859
858
2022-12-15T01:59:10Z
Reve
11
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Bug Guy|Profile]]</div>
|<div style="text-align:center">[[Big Guy/Gallery|Gallery]]</div>
|}
[[File:BigGuy_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= Big Guy
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
90a17575ebb65969854582368f91331c961b78c4
890
859
2022-12-22T20:52:36Z
82.3.90.116
0
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Bug Guy|Profile]]</div>
|<div style="text-align:center">[[Big Guy/Gallery|Gallery]]</div>
|}
[[File:BigGuy_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= Big Guy
|occupation= Harry's bodyguard
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
18c1b2c377e59f13ffdb54a82767ca9a16613735
File:BigGuy profile.png
6
393
860
2022-12-15T02:00:42Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Teo
0
3
861
776
2022-12-15T02:10:05Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Route ==
=== Vanas ===
==== Day 14 Confession ====
=== Mewry ===
=== Crotune ===
=== Tolup ===
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
92fc7cb6a2eadb01cf2e8ce8f4156ea81d52849e
Harry Choi
0
4
862
825
2022-12-15T02:11:21Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=?
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
227542bbd3f5d04ec0010bb4eb5eb9289b510bec
Beginners Guide
0
175
863
851
2022-12-15T04:37:36Z
Reve
11
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a Google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
[[File:MainScreen.png|400px|thumb|right]]
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
== Incubator ==
[[File:IncubatorImage.png|400px|thumb|right]]
The incubator is a screen to the right of the main screen. It is used to transform energy into emotions.
* Incubator Level: The incubator can be leveled up, which results in a creature box.
* Incubator Efficiency: The incubator can be made more efficient with each level. The more efficient the incubator is, the more likely it is to produce a unique emotion, rather than a bored emotion. The efficiency of the incubator can only be increased to 10%
* Overproduction: Occasionally, the incubator will create more emotions than expected. This can be shown by the green rings around the incubator's flask.
* Incubating Aidbot: A paid feature - a robot will incubate energy automatically until PIU-PIU's belly is full.
=== Flasks ===
Flasks are used to incubate emotions. By default, each player has three available flasks. However, flasks can be purchased in the Aurora Lab shop.
=== Energy Uses ===
Energy is a currency used to incubate Emotions. These emotions can be used to create and to support posts on the various planets. In the City of Free Men planet, bored emotions can also be used to create labs or to exchange 100 bored emotions for a frequency.
[[File:EnergyTypes.png|400px|thumb|right]]
=== Daily Energy ===
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
=== Earning Energy ===
* Watching ads in Free Energy tab of the Aurora LAB (Limit 5 per day)
* Posting a reply in the Free Emotion Study of the Day (will be the emotion of the day)
* Random chance when supporting posts in the Free Emotion Study of the Day
* Random chance when supporting posts in the various planets
* Random chance when responding to a chat from Teo or Harry
* Unlocking Trivial Features
* Releasing a bluebird transmission on the Forbidden Lab screen
* Collecting rent from Space Creatures in the Sunshine Shelter
* Utilizing the battery grinder in the Emotion Incubator
* Tapping the pink feather at the end of chats
== Emotions ==
[[File:EmotionsDiagram.png|400px|thumb|right]]
There are eight emotions, which each relate to the eight non-seasonal planets:
* Freedom to Be Bored
* Strong Desire
* Wings of Sensitivity
* Best Jokes Ever
* Gratitude
* Wall of Reason
* Puzzles in Relationship
* Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
=== Frequencies ===
Frequencies are unique, seasonal planets. These planets typically last for 30 days, although some planets are shorter. While these planets are in orbit, a unique frequency can sometimes be incubated. After acquiring 30 of these frequencies, a new planet will open.
The currently available seasonal planets are:
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Gifts ===
Very rarely, the incubator will produce gifts. Each emotion will produce a unique set of gifts. These gifts can be given to players in the various planets. Received gifts can be decomposed in PIU-PIU's belly and give a free aurora battery. Additionally, gifts can be given to player's cults in Momint for extra batteries.
* Nest Egg (Passion)
* Rose (Passion)
* Vodka (Passion)
* Shovel for fangirling (Sensitivity)
* Warm Coffee (Sensitivity)
* PIU-PIU Lamp (Sensitivity)
* Stage Microphone (Jolly)
* Tip (Jolly)
* Marble Nameplate (Jolly)
* Teddy Bear (Peaceful)
* Dandelion Seed (Peaceful)
* Cream Bun (Peaceful)
* Massage Chair (Logical)
* 4K Monitor (Logical)
* A Box of Snacks (Logical)
* Hearty Meal (Pensive)
* Cat (Pensive)
* Punching Bag (Pensive)
* Golden Fountain Pen (Galactic)
* Alien (Galactic)
* Fan Club Sign-Up Certificate (Galactic)
== Time Machine ==
[[File:TimeMachineScreen.png|400px|thumb|right]]
The Time Machine is a feature that can be used to travel to the past or future. A time travel ticket must be purchased from the Aurora Lab to travel. The time machine is reached by tapping the rocket icon on the main page.
A single time travel ticket can take a user up to 30 days into the future, or to any point into the past. When traveling to a different day, that day will start at whatever chat the player is currently at (if it's currently the lunch chat, in other words, they will miss out on the wake time and breakfast chat and be unable to participate in them).
== Gallery ==
[[File:GalleryScreen.png|400px|thumb|right]]
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
== Trivial Features ==
[[File:TrivialScreen.png|400px|thumb|right]]
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
== Private Account ==
[[File:PrivateAccountScreen.png|400px|thumb|right]]
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
== Profile ==
[[File:ProfileScreen.png|400px|thumb|right]]
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
[[File:SurveyResultsExample.png|400px|thumb|right]]
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each. Above Teo's picture is an icon to switch to another ssum-one. This freezes your time with Teo if you move on to Harry and vice versa.
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
== Milky Way Calendar ==
[[File:MilkyWayScreen.png|400px|thumb|right]]
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
== Aurora LAB ==
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
[[File:LabHomeScreen.png|400px|thumb|right]]
TBA
c42403987473cfc7aa8f6156ac0d5bd084746b43
871
863
2022-12-19T17:54:25Z
Hyobros
9
/* Lab Screen */ Wrote an intro, added categories to write about
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a Google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
[[File:MainScreen.png|400px|thumb|right]]
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
== Incubator ==
[[File:IncubatorImage.png|400px|thumb|right]]
The incubator is a screen to the right of the main screen. It is used to transform energy into emotions.
* Incubator Level: The incubator can be leveled up, which results in a creature box.
* Incubator Efficiency: The incubator can be made more efficient with each level. The more efficient the incubator is, the more likely it is to produce a unique emotion, rather than a bored emotion. The efficiency of the incubator can only be increased to 10%
* Overproduction: Occasionally, the incubator will create more emotions than expected. This can be shown by the green rings around the incubator's flask.
* Incubating Aidbot: A paid feature - a robot will incubate energy automatically until PIU-PIU's belly is full.
=== Flasks ===
Flasks are used to incubate emotions. By default, each player has three available flasks. However, flasks can be purchased in the Aurora Lab shop.
=== Energy Uses ===
Energy is a currency used to incubate Emotions. These emotions can be used to create and to support posts on the various planets. In the City of Free Men planet, bored emotions can also be used to create labs or to exchange 100 bored emotions for a frequency.
[[File:EnergyTypes.png|400px|thumb|right]]
=== Daily Energy ===
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
=== Earning Energy ===
* Watching ads in Free Energy tab of the Aurora LAB (Limit 5 per day)
* Posting a reply in the Free Emotion Study of the Day (will be the emotion of the day)
* Random chance when supporting posts in the Free Emotion Study of the Day
* Random chance when supporting posts in the various planets
* Random chance when responding to a chat from Teo or Harry
* Unlocking Trivial Features
* Releasing a bluebird transmission on the Forbidden Lab screen
* Collecting rent from Space Creatures in the Sunshine Shelter
* Utilizing the battery grinder in the Emotion Incubator
* Tapping the pink feather at the end of chats
== Emotions ==
[[File:EmotionsDiagram.png|400px|thumb|right]]
There are eight emotions, which each relate to the eight non-seasonal planets:
* Freedom to Be Bored
* Strong Desire
* Wings of Sensitivity
* Best Jokes Ever
* Gratitude
* Wall of Reason
* Puzzles in Relationship
* Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
=== Frequencies ===
Frequencies are unique, seasonal planets. These planets typically last for 30 days, although some planets are shorter. While these planets are in orbit, a unique frequency can sometimes be incubated. After acquiring 30 of these frequencies, a new planet will open.
The currently available seasonal planets are:
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Gifts ===
Very rarely, the incubator will produce gifts. Each emotion will produce a unique set of gifts. These gifts can be given to players in the various planets. Received gifts can be decomposed in PIU-PIU's belly and give a free aurora battery. Additionally, gifts can be given to player's cults in Momint for extra batteries.
* Nest Egg (Passion)
* Rose (Passion)
* Vodka (Passion)
* Shovel for fangirling (Sensitivity)
* Warm Coffee (Sensitivity)
* PIU-PIU Lamp (Sensitivity)
* Stage Microphone (Jolly)
* Tip (Jolly)
* Marble Nameplate (Jolly)
* Teddy Bear (Peaceful)
* Dandelion Seed (Peaceful)
* Cream Bun (Peaceful)
* Massage Chair (Logical)
* 4K Monitor (Logical)
* A Box of Snacks (Logical)
* Hearty Meal (Pensive)
* Cat (Pensive)
* Punching Bag (Pensive)
* Golden Fountain Pen (Galactic)
* Alien (Galactic)
* Fan Club Sign-Up Certificate (Galactic)
== Time Machine ==
[[File:TimeMachineScreen.png|400px|thumb|right]]
The Time Machine is a feature that can be used to travel to the past or future. A time travel ticket must be purchased from the Aurora Lab to travel. The time machine is reached by tapping the rocket icon on the main page.
A single time travel ticket can take a user up to 30 days into the future, or to any point into the past. When traveling to a different day, that day will start at whatever chat the player is currently at (if it's currently the lunch chat, in other words, they will miss out on the wake time and breakfast chat and be unable to participate in them).
== Gallery ==
[[File:GalleryScreen.png|400px|thumb|right]]
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
== Trivial Features ==
[[File:TrivialScreen.png|400px|thumb|right]]
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
== Private Account ==
[[File:PrivateAccountScreen.png|400px|thumb|right]]
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
== Profile ==
[[File:ProfileScreen.png|400px|thumb|right]]
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
[[File:SurveyResultsExample.png|400px|thumb|right]]
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each. Above Teo's picture is an icon to switch to another ssum-one. This freezes your time with Teo if you move on to Harry and vice versa.
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
== Milky Way Calendar ==
[[File:MilkyWayScreen.png|400px|thumb|right]]
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
== Aurora LAB ==
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
[[File:LabHomeScreen.png|400px|thumb|right]]
The LAB screen is to the left of the home screen. Here, players can check their inventory ([[PIU-PIU's Belly|Piu-Piu's Belly]]), complete daily Free Emotion Studies, view their study calendar, open the Sunshine Shelter, and access the Infinite Universe.
===LAB Participant Info===
===Sunshine Shelter===
===Free Emotion Study===
===Infinite Universe===
====Notes====
19a2eb4fe253ef6cce75a60bc328b7b423c06fff
872
871
2022-12-19T17:57:46Z
Hyobros
9
/* Frequencies */ small revisions, added a link to the planets page
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a Google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
[[File:MainScreen.png|400px|thumb|right]]
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
== Incubator ==
[[File:IncubatorImage.png|400px|thumb|right]]
The incubator is a screen to the right of the main screen. It is used to transform energy into emotions.
* Incubator Level: The incubator can be leveled up, which results in a creature box.
* Incubator Efficiency: The incubator can be made more efficient with each level. The more efficient the incubator is, the more likely it is to produce a unique emotion, rather than a bored emotion. The efficiency of the incubator can only be increased to 10%
* Overproduction: Occasionally, the incubator will create more emotions than expected. This can be shown by the green rings around the incubator's flask.
* Incubating Aidbot: A paid feature - a robot will incubate energy automatically until PIU-PIU's belly is full.
=== Flasks ===
Flasks are used to incubate emotions. By default, each player has three available flasks. However, flasks can be purchased in the Aurora Lab shop.
=== Energy Uses ===
Energy is a currency used to incubate Emotions. These emotions can be used to create and to support posts on the various planets. In the City of Free Men planet, bored emotions can also be used to create labs or to exchange 100 bored emotions for a frequency.
[[File:EnergyTypes.png|400px|thumb|right]]
=== Daily Energy ===
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
=== Earning Energy ===
* Watching ads in Free Energy tab of the Aurora LAB (Limit 5 per day)
* Posting a reply in the Free Emotion Study of the Day (will be the emotion of the day)
* Random chance when supporting posts in the Free Emotion Study of the Day
* Random chance when supporting posts in the various planets
* Random chance when responding to a chat from Teo or Harry
* Unlocking Trivial Features
* Releasing a bluebird transmission on the Forbidden Lab screen
* Collecting rent from Space Creatures in the Sunshine Shelter
* Utilizing the battery grinder in the Emotion Incubator
* Tapping the pink feather at the end of chats
== Emotions ==
[[File:EmotionsDiagram.png|400px|thumb|right]]
There are eight emotions, which each relate to the eight non-seasonal planets:
* Freedom to Be Bored
* Strong Desire
* Wings of Sensitivity
* Best Jokes Ever
* Gratitude
* Wall of Reason
* Puzzles in Relationship
* Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
=== Frequencies ===
Frequencies are unique to [[Planets|seasonal planets]]. These planets correspond with 'seasons' that typically last for 30 days, although some seasons are shorter. While these planets in orbit of a planet, its corresponding frequency has a higher chance to be incubated. After acquiring 30 of these frequencies, a new planet will open.
The currently available seasonal planets are:
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Gifts ===
Very rarely, the incubator will produce gifts. Each emotion will produce a unique set of gifts. These gifts can be given to players in the various planets. Received gifts can be decomposed in PIU-PIU's belly and give a free aurora battery. Additionally, gifts can be given to player's cults in Momint for extra batteries.
* Nest Egg (Passion)
* Rose (Passion)
* Vodka (Passion)
* Shovel for fangirling (Sensitivity)
* Warm Coffee (Sensitivity)
* PIU-PIU Lamp (Sensitivity)
* Stage Microphone (Jolly)
* Tip (Jolly)
* Marble Nameplate (Jolly)
* Teddy Bear (Peaceful)
* Dandelion Seed (Peaceful)
* Cream Bun (Peaceful)
* Massage Chair (Logical)
* 4K Monitor (Logical)
* A Box of Snacks (Logical)
* Hearty Meal (Pensive)
* Cat (Pensive)
* Punching Bag (Pensive)
* Golden Fountain Pen (Galactic)
* Alien (Galactic)
* Fan Club Sign-Up Certificate (Galactic)
== Time Machine ==
[[File:TimeMachineScreen.png|400px|thumb|right]]
The Time Machine is a feature that can be used to travel to the past or future. A time travel ticket must be purchased from the Aurora Lab to travel. The time machine is reached by tapping the rocket icon on the main page.
A single time travel ticket can take a user up to 30 days into the future, or to any point into the past. When traveling to a different day, that day will start at whatever chat the player is currently at (if it's currently the lunch chat, in other words, they will miss out on the wake time and breakfast chat and be unable to participate in them).
== Gallery ==
[[File:GalleryScreen.png|400px|thumb|right]]
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
== Trivial Features ==
[[File:TrivialScreen.png|400px|thumb|right]]
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
== Private Account ==
[[File:PrivateAccountScreen.png|400px|thumb|right]]
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
== Profile ==
[[File:ProfileScreen.png|400px|thumb|right]]
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
[[File:SurveyResultsExample.png|400px|thumb|right]]
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each. Above Teo's picture is an icon to switch to another ssum-one. This freezes your time with Teo if you move on to Harry and vice versa.
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
== Milky Way Calendar ==
[[File:MilkyWayScreen.png|400px|thumb|right]]
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
== Aurora LAB ==
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
[[File:LabHomeScreen.png|400px|thumb|right]]
The LAB screen is to the left of the home screen. Here, players can check their inventory ([[PIU-PIU's Belly|Piu-Piu's Belly]]), complete daily Free Emotion Studies, view their study calendar, open the Sunshine Shelter, and access the Infinite Universe.
===LAB Participant Info===
===Sunshine Shelter===
===Free Emotion Study===
===Infinite Universe===
====Notes====
374050c67c275186ef2a492c0810fbb8958b9b5f
Player
0
63
864
730
2022-12-15T04:48:53Z
Reve
11
wikitext
text/x-wiki
== General ==
The player assumes the role of the main character (sometimes shortened to MC). She is a nameable character who downloads The Ssum app.
== Background ==
TBA
== Gallery ==
[[File:MCPortrait1.png]]
[[File:MCPortrait2.png]]
[[File:MCPortrait3.png]]
[[File:MCPortrait4.png]]
[[File:MCPortrait5.png]]
f148af34573bd909cae6c9d62c9674294644a01a
File:MainScreen.png
6
394
865
2022-12-15T04:58:30Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:IncubatorImage.png
6
395
866
2022-12-15T04:59:48Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TimeMachineScreen.png
6
396
867
2022-12-15T05:00:38Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Trivial
0
88
868
849
2022-12-19T15:50:07Z
Hyobros
9
sorting trivials into groups
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
66e77bc37115a596d9cd8c6a6b869ebf621df725
869
868
2022-12-19T15:53:20Z
Hyobros
9
correcting a file name
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Infinite_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
80e9bbe3fecb4b133885dce7d0b26b26c73d0a74
873
869
2022-12-19T21:51:21Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || (certain chat response)
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
3adc0afb158ba7053d2dd1b8664a0497f4260b6c
875
873
2022-12-21T14:28:11Z
Hyobros
9
/* Trivials from Chats and Calls */ adding a few trivials
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Numbers_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|}
2cc1a66386b752bec691c25ee1f8f1e8ea9c54a4
876
875
2022-12-21T14:28:50Z
Hyobros
9
/* Trivials from Chats and Calls */ fixed an error
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Numbers_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|}
c0ea0c9becbbfbd5e364fa5de8426291e5e009d3
877
876
2022-12-21T14:32:32Z
Hyobros
9
added a trivial to easter eggs
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:I_Enjoyed_Reading_That_Icon.png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasn't_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humour
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Numbers_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|}
6f76ec57f94855f953def7d592072bd18e5cdd98
888
877
2022-12-21T15:56:36Z
Hyobros
9
/* Trivial Features by Emotion Planet */ adding more trivials up to milky way of gratitude
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Numbers_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|}
6a31f09f0438b0766f03f3b4608a981742fc76e6
Template:MainPageEnergyInfo
10
32
870
846
2022-12-19T17:44:57Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Passionate
|date=12-19, 2022
|description=Do you think you can share a conversation full of passion with [Love Interest] today?
|cusMessage=Desire cannot be born from love, but it can lead to love. I look forward to your passionate data on love.}}
e0251a48b957b05331a95f58b7dfdeec43825dbe
874
870
2022-12-21T13:59:05Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date=12-21, 2022
|description=The galactic energy is surging.<br>'Hopefully everyone in this universe will help out each other...'<br>'One day hopefully we can all share the same food...'
|cusMessage=Our Lab comes with a license that allows us to communicate with Creatures of the universe, all thanks to you and your fellow lab participants.}}
20e2e038611986802d78ea81ee2adc1c02c90d3a
892
874
2022-12-23T21:23:40Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Jolly
|date=12-23, 2022
|description=It is not easy to make silly jokes and make them work... I hope one day you can laugh at them until your stomach aches.
|cusMessage=Today we are giving priority to study data from funniest to lamest.}}
31ad85880a1ca43d798d1639def5ff8f2eea1d12
File:Enveloping Pain Icon.png
6
397
878
2022-12-21T14:54:26Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Finding Friends Icon.png
6
398
879
2022-12-21T14:54:47Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Free Emotions Beyond Expectations Icon.png
6
399
880
2022-12-21T14:55:01Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Living Info Archive Icon.png
6
400
881
2022-12-21T14:55:16Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lots of Laughter Icon.png
6
401
882
2022-12-21T14:55:29Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Nice To Meet You Icon.png
6
402
883
2022-12-21T14:55:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Past Bamboo Trees Icon.png
6
403
884
2022-12-21T14:55:57Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Rare Peach Creature Icon.png
6
404
885
2022-12-21T14:56:11Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Talented In Writing Icon.png
6
406
887
2022-12-21T15:55:45Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Planets/City of Free Men
0
51
889
578
2022-12-22T20:25:07Z
Hyobros
9
added some info and started a table for level rewards
wikitext
text/x-wiki
== Description ==
"''In the City of Free Men, you can freely offer topics and ideas. Free men find delight in unpredictable topics that can relieve them from boredom.''"
This planet is most likely going to be the first planet you get to access. It takes 30 freedom to be bored emotions to unlock.
City of Free Men is essentially a general discussion board forum. On the main screen, there are rankings for the month's top posters, "My Page", "Bored", the "Hall of Fame", Today's Free Study, and Explore Labs.
==Explore Labs==
LABs are boards or channels for groups of study topics. A player can create and name one for 100 freedom to be bored emotions. Anyone can post in a LAB. Players can follow other LABs so that they appear on the main lab exploration page.
Study Topics are discussion forums posted within labs. It costs 50 freedom to be bored emotions to post one. Users can comment on the post and react to one another's comments, but cannot react to the post itself. This format makes it so forums are meant for small discussions or questions.
There is the option of commenting on the daily free study every day. This is a randomized post that players can comment on without spending emotions once a day.
==Bored Dealer==
When players enter the City of Free Men, the number of batteries displayed will disappear. Upon tapping the icon, one is taken to the Bored Dealer screen, where they're presented with a sprite of a character wearing pajamas decorated with the Freedom to Be Bored icons seated at a desk. They're given the choice to "Make an unfair deal" that costs 99 emotions, or to go to the aurora lab.
When a deal is made, the player will receive a random item that could either be a random frequency or emotion, or on rare occasions, receive a gift. This process does not grant XP for the planet level.
==Level Rewards==
{| border="1" cellspacing="0" cellpadding="2" align="center" style="cell-padding:10px;text-align:center;"
|-
!scope="row"| Level
| style="padding: 10px"| 2
| style="padding: 10px"| 3
| style="padding: 10px"| 4
| style="padding: 10px"| 5
| style="padding: 10px"| 6
| style="padding: 10px"| 7
| style="padding: 10px"| 8
| style="padding: 10px"| 9
| style="padding: 10px"| 10
|-
!scope="row" style="padding: 10px"| Reward
| x
| x
| x
| x
| x
| x
| x
| x
| x
|}
ba5abfdfa67dce8c1f8889e6d40d32e3b273178b
Characters
0
60
891
826
2022-12-23T03:42:49Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Harry's Mother]]
*[[Harry's Father]]
*[[Harry's Piano Tutor]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
*[[Woojin]]
*[[Kiho]]
*[[Big Guy]]
*[[Rachel]]
*[[Tain Park]]
*[[Malong Jo]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
6d28feb6e4cb93f3f67f96f7cb795cbc19f1c27c
901
891
2022-12-24T06:03:40Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
*[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Harry's Mother]]
*[[Harry's Father]]
*[[Harry's Piano Tutor]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
*[[Woojin]]
*[[Kiho]]
*[[Big Guy]]
*[[Rachel]]
*[[Tain Park]]
*[[Malong Jo]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
75a7b8a52479409de6dd2180a965377c9a709d6a
Trivial Features/Clock
0
180
893
554
2022-12-23T22:04:42Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [[File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|-
| [[File:Sunset_Year_2022_Icon.png]] ||"Sunset for Year 2022" || Found on the shortest day! || It is the shortest day of the year. I hope [Love Interest] is there at the end of your short day. || Today felt very short. || x3 Battery<br>x2 Galactic energy || Log in on the winter solstice of 2022 (21 December)
|}
c6f8cf00df005f63b958cc28c70d3bdeca24fff3
Planets/Burny
0
407
894
2022-12-24T06:00:52Z
Reve
11
Created page with "== Introduction == == Description =="
wikitext
text/x-wiki
== Introduction ==
== Description ==
939c64de15ce911e8de0ac74eb99befede799fc7
Planets/Pi
0
408
895
2022-12-24T06:01:07Z
Reve
11
Created page with "== Introduction == == Description =="
wikitext
text/x-wiki
== Introduction ==
== Description ==
939c64de15ce911e8de0ac74eb99befede799fc7
Planets/Momint
0
409
896
2022-12-24T06:01:18Z
Reve
11
Created page with "== Introduction == == Description =="
wikitext
text/x-wiki
== Introduction ==
== Description ==
939c64de15ce911e8de0ac74eb99befede799fc7
PI-PI
0
410
897
2022-12-24T06:02:09Z
Reve
11
Created page with "{{MinorCharacterInfo |name= PI-PI |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= PI-PI
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
0417b7d237b190b5329344d4f7c235b87f3eb3c9
Harry's Mother
0
411
898
2022-12-24T06:02:36Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Harry's Mother |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Harry's Mother
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
65b40d16ab65cfcb4494035b55a51ecc5fe0a582
Harry's Father
0
412
899
2022-12-24T06:02:51Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Harry's Father |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Harry's Father
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
6845c61d4318a61f4137d4210d6ef2f996034acd
Harry's Piano Tutor
0
413
900
2022-12-24T06:03:09Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Piano Tutor |occupation= |hobbies= |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Piano Tutor
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
30da173a2747c6060cbb2f96ccd62b7ce8276ea1
Angel
0
414
902
2022-12-24T06:04:34Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Angel |occupation= |hobbies= Time Travel, Hacking, Causing Mischief |likes= |dislikes=Talking about themself }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
bf2093d079f66c964af9b8b0efef6463fbcdcfb7
Emotion
0
415
903
2022-12-24T06:10:13Z
Reve
11
Created page with "== Description == Emotions are the product of energy, and are created by the Emotions Incubator. == Types of Emotions == There are eight emotions, which each relate to the eight non-seasonal planets: Freedom to Be Bored Strong Desire Wings of Sensitivity Best Jokes Ever Gratitude Wall of Reason Puzzles in Relationship Realization After incubating 20 of these emotions for the first time, a new planet will be unlocked. == Uses == Emotions are a form of currency. They..."
wikitext
text/x-wiki
== Description ==
Emotions are the product of energy, and are created by the Emotions Incubator.
== Types of Emotions ==
There are eight emotions, which each relate to the eight non-seasonal planets:
Freedom to Be Bored
Strong Desire
Wings of Sensitivity
Best Jokes Ever
Gratitude
Wall of Reason
Puzzles in Relationship
Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
== Uses ==
Emotions are a form of currency. They can be used to write posts in the associated planet and support posts. Additionally, Bored emotions can be used to create labs in the [[City of Free Men]]. By creating and spending emotions, players can level up planets. Leveling up planets leads to rewards of [[Space Creatures|Creature Boxes]] and batteries.
6fd3182f496be641e6efdbb5497bbf4c02fed6c6
Frequency
0
416
904
2022-12-24T06:14:49Z
Reve
11
Created page with "== Description == Frequencies are rare products of the Emotion Incubator. They are unique to seasonal planets. These planets correspond with 'seasons' that typically last for 30 days, although some seasons are shorter. While these planets in orbit of a planet, its corresponding frequency has a higher chance to be incubated. After acquiring 30 of these frequencies, a new planet will open. == Seasonal Planets == The currently available seasonal planets are: * Vanas * Me..."
wikitext
text/x-wiki
== Description ==
Frequencies are rare products of the Emotion Incubator. They are unique to seasonal planets. These planets correspond with 'seasons' that typically last for 30 days, although some seasons are shorter. While these planets in orbit of a planet, its corresponding frequency has a higher chance to be incubated. After acquiring 30 of these frequencies, a new planet will open.
== Seasonal Planets ==
The currently available seasonal planets are:
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
== Uses ==
Frequencies are used to unlock seasonal planets. It takes 30 frequencies to unlock a planet. When the planet is unlocked, the frequencies can be spent to level up the planet and perform various actions, such as spinning a pie in Pi or creating a cult in Momint. Performing actions can provide experience to level up the planets. Leveling up these planets can provide batteries and [[Space Creatures|Creature Boxes]]. Additionally, special CGs can be unlocked on planets Tolup and Pi.
a3072a6cd1261e68f5bdf037cb2c803d0c25403c
Incubator
0
417
905
2022-12-24T06:16:12Z
Reve
11
Created page with "== Description == [[File:IncubatorImage.png|400px|thumb|right]] The incubator is a screen to the right of the main screen. It is used to transform energy into emotions. * Incubator Level: The incubator can be leveled up, which results in a creature box. * Incubator Efficiency: The incubator can be made more efficient with each level. The more efficient the incubator is, the more likely it is to produce a unique emotion, rather than a bored emotion. The efficiency of th..."
wikitext
text/x-wiki
== Description ==
[[File:IncubatorImage.png|400px|thumb|right]]
The incubator is a screen to the right of the main screen. It is used to transform energy into emotions.
* Incubator Level: The incubator can be leveled up, which results in a creature box.
* Incubator Efficiency: The incubator can be made more efficient with each level. The more efficient the incubator is, the more likely it is to produce a unique emotion, rather than a bored emotion. The efficiency of the incubator can only be increased to 10%
* Overproduction: Occasionally, the incubator will create more emotions than expected. This can be shown by the green rings around the incubator's flask.
* Incubating Aidbot: A paid feature - a robot will incubate energy automatically until PIU-PIU's belly is full.
=== Flasks ===
Flasks are used to incubate emotions. By default, each player has three available flasks. However, flasks can be purchased in the Aurora Lab shop.
=== Energy Uses ===
Energy is a currency used to incubate Emotions. These emotions can be used to create and to support posts on the various planets. In the City of Free Men planet, bored emotions can also be used to create labs or to exchange 100 bored emotions for a frequency.
[[File:EnergyTypes.png|400px|thumb|right]]
=== Daily Energy ===
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
=== Earning Energy ===
* Watching ads in Free Energy tab of the Aurora LAB (Limit 5 per day)
* Posting a reply in the Free Emotion Study of the Day (will be the emotion of the day)
* Random chance when supporting posts in the Free Emotion Study of the Day
* Random chance when supporting posts in the various planets
* Random chance when responding to a chat from Teo or Harry
* Unlocking Trivial Features
* Releasing a bluebird transmission on the Forbidden Lab screen
* Collecting rent from Space Creatures in the Sunshine Shelter
* Utilizing the battery grinder in the Emotion Incubator
* Tapping the pink feather at the end of chats
== Emotions ==
[[File:EmotionsDiagram.png|400px|thumb|right]]
There are eight emotions, which each relate to the eight non-seasonal planets:
* Freedom to Be Bored
* Strong Desire
* Wings of Sensitivity
* Best Jokes Ever
* Gratitude
* Wall of Reason
* Puzzles in Relationship
* Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
=== Frequencies ===
Frequencies are unique to [[Planets|seasonal planets]]. These planets correspond with 'seasons' that typically last for 30 days, although some seasons are shorter. While these planets in orbit of a planet, its corresponding frequency has a higher chance to be incubated. After acquiring 30 of these frequencies, a new planet will open.
The currently available seasonal planets are:
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Gifts ===
Very rarely, the incubator will produce gifts. Each emotion will produce a unique set of gifts. These gifts can be given to players in the various planets. Received gifts can be decomposed in PIU-PIU's belly and give a free aurora battery. Additionally, gifts can be given to player's cults in Momint for extra batteries.
* Nest Egg (Passion)
* Rose (Passion)
* Vodka (Passion)
* Shovel for fangirling (Sensitivity)
* Warm Coffee (Sensitivity)
* PIU-PIU Lamp (Sensitivity)
* Stage Microphone (Jolly)
* Tip (Jolly)
* Marble Nameplate (Jolly)
* Teddy Bear (Peaceful)
* Dandelion Seed (Peaceful)
* Cream Bun (Peaceful)
* Massage Chair (Logical)
* 4K Monitor (Logical)
* A Box of Snacks (Logical)
* Hearty Meal (Pensive)
* Cat (Pensive)
* Punching Bag (Pensive)
* Golden Fountain Pen (Galactic)
* Alien (Galactic)
* Fan Club Sign-Up Certificate (Galactic)
36e7446103260aa12b30ab74a6bd5d1dd33fe4b2
Energy/Passionate Energy
0
7
906
835
2022-12-24T06:22:19Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| |{{DailyEnergyInfo
|energyName=Passionate
|date=10-13, 2022
|description=A person full of this energy tends to feel comfortable with color red. What about you?
|cusMessage=Desire cannot be born from love, but it can lead to love. I look forward to your passionate data on love.}}
|-
|{{DailyEnergyInfo
|energyName=Passionate
|date=10-28, 2022
|description=A primal desire...? I believe you are discussing instincts, I hope you can get closer to your instincts.
|cusMessage=Today the lab participants all over the world once again amaze me with their passion. Thank you for your dedication to our study.}}
|-
|}
== Associated Planet ==
[[Root of Desire]]
== Gifts ==
* Red Rose
* Nest Egg
* Vodka
[[Category:Energy]]
dee39df386e737c5f7b7d6af1c6a61fb171d83af
907
906
2022-12-24T06:22:56Z
Reve
11
/* Associated Planet */
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Passionate
|description=This is a <span style="color:#E65D64">passionate</span>, <span style="color:#E65D64">mind-numbing</span> energy gained from something <span style="color:#E65D64">instinctive or stimulating</span>. Apparently a planet full of <span style="color:#E65D64">desires</span> makes something red with this energy.
|energyColor=#E65D64}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| |{{DailyEnergyInfo
|energyName=Passionate
|date=10-13, 2022
|description=A person full of this energy tends to feel comfortable with color red. What about you?
|cusMessage=Desire cannot be born from love, but it can lead to love. I look forward to your passionate data on love.}}
|-
|{{DailyEnergyInfo
|energyName=Passionate
|date=10-28, 2022
|description=A primal desire...? I believe you are discussing instincts, I hope you can get closer to your instincts.
|cusMessage=Today the lab participants all over the world once again amaze me with their passion. Thank you for your dedication to our study.}}
|-
|}
== Associated Planet ==
[[Planets/Root of Desire|Root of Desire]]
== Gifts ==
* Red Rose
* Nest Egg
* Vodka
[[Category:Energy]]
27cdc636748d1762a4626dd333776b756fa73e43
Energy/Galactic Energy
0
19
908
834
2022-12-24T06:28:26Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#AC4ED8">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#AC4ED8">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#AC4ED8}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| This energy has not appeared yet.
|}
== Associated Planet ==
[[Planet/Archive of Sentences|Archive of Sentences]]
== Gifts ==
* Golden Fountain Pen
* Alien
* Fan Club Sign-Up Certificate
[[Category:Energy]]
b2312fa0099c70502f977b2df3dd302682026e44
Energy/Philosophical Energy
0
12
909
496
2022-12-24T06:30:14Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Philosophical
|description=This is an elegant <span style="color:#5364B6">philosophical</span> energy that supposedly rises from <span style="color:#5364B6">serious</span> and <span style="color:#5364B6">mature connections</span>. It is said that it is molecularly similar to the air molecules exclusive to <span style="color:#5364B6">bamboo forests</span>.
|energyColor=#5364B6}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
== Daily Logs ==
{| class="mw-collapsible mw-collapsed wikitable" style="width:95%;margin-left: auto; margin-right: auto;"
!Daily Logs
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-18, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|energyColor=#5364B6
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-26, 2022
|description=Why not share ideas deep in your mind with someone else?
|cusMessage=You can change our Lab with your philosophies. We are always grateful.}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=8-29, 2022
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells how important this energy is.
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within...}}
|-
|{{DailyEnergyInfo
|energyName=Philosophical
|date=10-26, 2022
|description=Philosophical energy is surging.<br>
'May there be wisdom in my sight...'<br>
'May my belief be true...'
|cusMessage=Today is the day for each of you to study your personal philosophy. I hope you would enjoy it!}}
|-
|}
[[Category:Energy]]
== Associated Planet ==
[[Planet/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]
== Gifts ==
* Hearty Meal
* Cat
* Punching Bag
9d834e525917c2f9ba31760ee674d7a58091b35a
Energy/Logical Energy
0
11
910
833
2022-12-24T06:31:22Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-30, 2022
|description=The more logical you get, the better you will be in making arguments. So make use of this day to let your arguments unfold.
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.}}
|} </center>
== Associated Planet ==
[[Planet/Archive of Terran Info|Archive of Terran Info]]
== Gifts ==
* Massage Chair
* 4K Monitor
* A Box of Snacks
[[Category:Energy]]
0a9fc307c7d9a72eccc26d841c8c56174fa87458
Energy/Innocent Energy
0
8
911
357
2022-12-24T06:39:03Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Innocent
|description=This is a <span style="color:#F1A977">sensitive</span> energy that you can gain by paying attention to words full of <span style="color:#F1A977">innocence</span> and <span style="color:#F1A977">sensitivity</span>. Once you get enough of such <span style="color:#F1A977">innocent energy</span>, you can fly to certain <span style="color:#F1A977">canals</span>... Would you like to find out what they are?
|energyColor=#F1A977}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%;" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Innocent
|date=8-18, 2022
|description=Are you ready to enjoy a conversation full of sensitivity with Teo?
|energyColor=#F1A977
|cusMessage=Artists must familiarize themselves with the stage. We silently support all of you towards the stage.
}}
{{DailyEnergyInfo
|energyName=Innocent
|date=8-24, 2022
|description=This is a wish from innocent energy. 'Let your wings spread, Be free and show yourself...' 'Be free from people's judgments...'
|energyColor=#F1A977
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.
}}
{{DailyEnergyInfo
|energyName=Innocent
|date=8-31, 2022
|description=This is a wish from innocent energy.
'Let your wings spread. Be free and show yourself...'
|cusMessage=A post full of sensitivity appears only when shame is gone. I wonder if I can find one today.}}
</center>
|-
|}
== Associated Planet ==
[[Planet/Canals of Sensitivity|Canals of Sensitivity]]
== Gifts ==
* Shovel for fangirling
* Warm Coffee
* PIU-PIU Lamp
[[Category:Energy]]
decaf6ec40afbaf8ae57e8d42a604dcc89a17ec3
Energy/Peaceful Energy
0
10
912
254
2022-12-24T06:40:45Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Peaceful
|description=This energy <span style="color:#66AA57">is serene, peaceful</span>, apparently born from <span style="color:#66AA57">heartwarimng considerations</span> and <span style="color:#66AA57">kindness</span>. Once <span style="color:#66AA57">gratitude</span> from every single human in the world comes together, a Milky Way is born above.
|energyColor=#66AA57}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| {{DailyEnergyInfo
|energyName=Peaceful
|date=8-27, 2022
|description=Why not free your mind from complications for the day and enjoy peace?
|cusMessage=Today is full of peaceful energy. We look forward to results full of inner beauty.}}
|}
== Associated Planet ==
[[Planet/Milky Way of Gratitude|Milky Way of Gratitude]]
== Gifts ==
* Teddy Bear
* Dandelion Seed
* Cream Bun
[[Category:Energy]]
32a00432866db8eb945c066f306a6c6c6dd2788f
Energy/Jolly Energy
0
9
913
495
2022-12-24T06:41:08Z
Reve
11
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Jolly
|date=8-20, 2022
|description=This energy is being emitted from a digital comedy video that features a comedian pulling a show of multiple characters.
|energyColor=#F1A977
|cusMessage=A Jolly Joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}} </center>
{{DailyEnergyInfo
|energyName=Jolly
|date=10-18, 2022
|description=Someone with jolly energy said 'It's not easy to make people laugh. Remember - don't think too hard!'
|energyColor=#F1A977
|cusMessage=Today we are giving priority to study data from funniest to lamest.
}}
|}
== Associated Planet ==
[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]
== Gifts ==
* Stage Microphone
* Tip
* Marble Nameplate
[[Category:Energy]]
dac06783483b95e240fcbd705e2ff38231fef36e
Planets/Vanas
0
86
914
840
2022-12-24T07:16:31Z
Reve
11
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
<h4>About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
[[File:VanasTeoDescription.png]]
== Description ==
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
== Visions ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within''' || [[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom''' || [[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment''' || [[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
|[[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage''' || [[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness''' || [[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
5e8a0cd2a0cabc701f1de1fff013aa33c95f4ad1
916
914
2022-12-24T07:20:09Z
Reve
11
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
<h4>About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
[[File:VanasTeoDescription.png|200px|center]]
== Description ==
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
== Visions ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within''' || [[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom''' || [[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment''' || [[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
|[[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage''' || [[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness''' || [[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
b58747c66e5717de1fa6a451fd9da74475d5f832
928
916
2022-12-24T07:32:40Z
Reve
11
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
<h4>About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
[[File:VanasTeoDescription.png|200px|center]]
== Description ==
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br> [[File:VanasHomeScreen.png|200px|right]]
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
== Visions ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within''' || [[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom''' || [[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment''' || [[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
|[[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage''' || [[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness''' || [[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
19e1b7d6621b4e0d7050810aaa52f9f6ddbbba3e
930
928
2022-12-24T07:59:36Z
Reve
11
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
[[File:VanasTeoDescription.png|200px|center]]
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
''Please save in this planet all the positive truth and negative truth about you.''<br>
''You are the only one that can see them.''<br>
''I wonder what kind of change you will go through as you learn about yourself.''<br>
''At Planet Vanas, you will get to come in contact with visions that portray your inner world and pose you questions on a continuous basis.''<br>
''Nurture your inner world through questions your visions bring you!''
<h4>About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
== Description ==
[[File:VanasHomeScreen.png|150px|right]]
This is the first seasonal planet you'll unlock. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
== Visions ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within''' || [[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom''' || [[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment''' || [[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
|[[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage''' || [[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness''' || [[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
f4fdde6bc0f3e4d5241accf2c0fb9a97e60e54ad
File:VanasTeoDescription.png
6
418
915
2022-12-24T07:17:01Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision Within.gif
6
419
917
2022-12-24T07:21:34Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Self Assurance.gif
6
420
918
2022-12-24T07:22:52Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Freedom.gif
6
421
919
2022-12-24T07:24:09Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Wisdom.gif
6
422
920
2022-12-24T07:24:19Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Entertainment.gif
6
423
921
2022-12-24T07:24:26Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Concern.gif
6
424
922
2022-12-24T07:24:36Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Rage.gif
6
425
923
2022-12-24T07:24:43Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Dependence.gif
6
426
924
2022-12-24T07:24:47Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Weakness.gif
6
427
925
2022-12-24T07:24:49Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Weariness.gif
6
428
926
2022-12-24T07:24:52Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vision of Jumin.gif
6
429
927
2022-12-24T07:24:55Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:VanasHomeScreen.png
6
430
929
2022-12-24T07:32:58Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Planets/Mewry
0
238
931
841
2022-12-24T08:36:38Z
Reve
11
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''<br>⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
== Introduction ==
[[File:MewryTeoDescription.png|200px|center]]
<center>
''Owww...My heart aches whenever I visit Planet Mewry. (as I am an A.I. and therefore have no pair, I can only emit 'sadness...')''
''In this planet, you will get to explore the sadness within. Please make sure you have your handkerchief with you.''
''Once you explore your pain, you might get to find new memories that you did not realize were a pain.''
''And... If you would like, we could activate the algorithm that takes away the pain.''
''Please calibrate your rate of visit on Planet Mewry according to the degree of your pain.''
''They say pain, guilt, rage, and evasion are all closely interconnected.''
''We hope you would get to find the journey of healing here on Planet Mewry!''
</center>
<h4>About this planet</h4>
Very carefully unraveling knots of planet Mewry...<br>
Now you will Arrive on Planet Mewry<br>
This planet draws wounded hearts made up of sweat, tears, and wounds...<br>
What is your wound made up of? <br>
The situation that made you small and helpless...<br>
Disappointment and agony...<br>
Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?
==Description==
[[File:MewryHome.png|100px]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
=== Explore Pain ==
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies.
== Bandage for Heart ==
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
== Universe's Letter Box ==
[[File:MewryLetterBox.png|100px]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support.
c294db6042964a9dc2a851ab74e46787f74f6666
935
931
2022-12-24T08:40:25Z
Reve
11
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''<br>⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
== Introduction ==
[[File:MewryTeoDescription.png|200px|center]]
<center>
''Owww...My heart aches whenever I visit Planet Mewry. (as I am an A.I. and therefore have no pair, I can only emit 'sadness...')''
''In this planet, you will get to explore the sadness within. Please make sure you have your handkerchief with you.''
''Once you explore your pain, you might get to find new memories that you did not realize were a pain.''
''And... If you would like, we could activate the algorithm that takes away the pain.''
''Please calibrate your rate of visit on Planet Mewry according to the degree of your pain.''
''They say pain, guilt, rage, and evasion are all closely interconnected.''
''We hope you would get to find the journey of healing here on Planet Mewry!''
</center>
<h4>About this planet</h4>
Very carefully unraveling knots of planet Mewry...<br>
Now you will Arrive on Planet Mewry<br>
This planet draws wounded hearts made up of sweat, tears, and wounds...<br>
What is your wound made up of? <br>
The situation that made you small and helpless...<br>
Disappointment and agony...<br>
Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?
==Description==
[[File:MewryHome.png|100px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
=== Explore Pain ==
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies.
== Bandage for Heart ==
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
== Universe's Letter Box ==
[[File:MewryLetterBox.png|100px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support.
5cd0a15c3b11b2c7dfca76cdcd9324729990280f
File:MewryTeoDescription.png
6
431
932
2022-12-24T08:38:09Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:MewryLetterBox.png
6
432
933
2022-12-24T08:39:33Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:MewryHome.png
6
433
934
2022-12-24T08:39:43Z
Reve
11
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Characters
0
60
936
901
2022-12-24T08:47:07Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
*[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Harry's Mother]]
*[[Harry's Father]]
*[[Harry's Piano Tutor]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
*[[Woojin]]
*[[Kiho]]
*[[Yuhan]]
*[[Juyoung]]
*[[Big Guy]]
*[[Rachel]]
*[[Tain Park]]
*[[Malong Jo]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
2ddd8ceb63dfb9cc37b6441b026b2eb9a6888851
940
936
2022-12-25T03:49:13Z
Reve
11
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
*[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Harry's Mother]]
*[[Harry's Father]]
*[[Harry's Piano Tutor]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
*[[Woojin]]
*[[Kiho]]
*[[Yuhan]]
*[[Juyoung]]
*[[Big Guy]]
*[[Rachel]]
*[[Tain Park]]
*[[Malong Jo]]
*[[Sarah Lee]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
e6778f851b12f8448ae7f83f4b0e7057c81cc351
James Yuhan
0
434
937
2022-12-24T08:48:40Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Yuhan |occupation= Artist |hobbies=Drawing and Painting |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Yuhan
|occupation= Artist
|hobbies=Drawing and Painting
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
51d863dc73d3b23a254183c600aee8fb90f86d33
Juyoung
0
435
938
2022-12-24T08:49:09Z
Reve
11
Created page with "{{MinorCharacterInfo |name= Juyoung |occupation=Tutor |hobbies=Drawing and Painting |likes= |dislikes= }} == General == TBA == Background == TBA == Trivia == TBA"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Juyoung
|occupation=Tutor
|hobbies=Drawing and Painting
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
0ff6f78a1b0ea30a9f33aad8e121e96193065fd3
Planets/Momint
0
409
939
896
2022-12-24T09:16:05Z
Reve
11
wikitext
text/x-wiki
== Introduction ==
== Description ==
=== Joining a Cult ===
Greeting - available every 24 hours
* Lv 2 - 1 total offering - Junior believer, achievement, 5 emotions
* Lv 3 - 2 total offerings, 5 emotions
* Lv 4 - 3 total offerings - Official Believer, 10 emotions
* Lv 5 - 5 total offerings - achievement
* Lv 6 - 6 total offerings - Left-Hand Believer
* Lv 7 - 9 total offerings
* Lv 8 - 16 total offerings - Right-Hand Believer
* Lv 9 - 26 total offerings
* Lv 10 -
Rewards are given for offerings, increasing in value based on the follower level. At lower levels, it is x5 emotions. At higher levels, starting at level 4, it's x2 aurora batteries. At level 7, it increases to x3 aurora batteries.
=== Creating a Cult ===
e5fd47efb2a4c46958dea3b7ca29768128fef2e9
User talk:Reve
3
259
941
718
2022-12-27T00:15:24Z
Hyobros
9
/* contact */ new section
wikitext
text/x-wiki
== Harry ==
BLESS YOU REVE I LOVE YOU /P
Okay being sane now. Can/should I use your format for Harry's page on Teo's? I've been working on writing a full bio for him and honestly your layout looks way neater than what I can accomplish.
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 19:24, 29 November 2022 (UTC)
Apologies if I'm formatting this response wrong. I've never actually used user talk on a wiki before o-o. You're more than welcome to use the formatting for Harry for Teo! Here's my logic for how I set it up:
- For general, I did a shorter summary of his personality. Just something quick someone could read to get caught up.
- For background, my thought was to write about Harry as he appears in Teo's route. It's a bit tricky to write that way for Teo, but that section could maybe be used to talk about the history of the character's development - like how he had a beta route and stuff?
- For route, I was planning to divide it into subheaders for each planet, and then give a summary of noteworthy events that occurred.
I've been thinking about doing some kinda formatting to better show off galleries buuuut I haven't quite figured that out yet. I know there's some kinda way to do tabs in Miraheze, but I've never done it myself. T_T
--[[User:Reve|Reve]] 04:55, 30 November 2022 (UTC)
: Hmm yeah Teo would definitely be more tricky. I was thinking of just going through whatever he tells us about his past as his background and put info about the beta in a separate section. I need to find some in depth stuff about the beta before I do that though.
: Thank you so much for writing all that for Harry and for giving me an outline to work with :) also, just indent your reply with : at the beginning of the paragraph. To reply to this one indent twice with :: and so on lol --[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:46, 30 November 2022 (UTC)
== contact ==
hiii i would love to be able to actually talk to you about the wiki over a chat or smth I don't have anything in mind at the moment just sometimes i think about something and go hmmm
if you have discord it would be great to chat with you there. you can join the server linked in the nav bar and i have the same username as here. i won't mind if there's something else you use tho (or don't wanna chat at all that's fine too lol) okay thx bye
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 00:15, 27 December 2022 (UTC)
382ad4c9d0de3c94920d38b9c6e0caf723a0713d
Planets/Root of Desire
0
52
942
219
2022-12-27T00:59:41Z
Hyobros
9
/* Description */
wikitext
text/x-wiki
== Description ==
"''The Root of Desire constantly sends out galactic signals for satisfying desires, and signals from this planet are permanent. They include desires such as... Salads... Beer... Winning the lottery...''"
Root of Desire is one of the emotion planets found in the infinite universe. It corresponds with [[Energy/Passionate Energy|passionate energy]] and the Strong Desire emotion. This planet is themed around desire, and is a place for users to post, support and comment on their desires.
== Desires ==
After unlocking the planet, players can create a post about a desire they have. Before writing, they're prompted to categorize what it's about. This is between:
• Object
• Human
• Romance
• Wealth
• Life
• Career
• Academics
• Inner
• Family
• Others
After writing, the player is prompted to record a date they estimate for that desire to come true and choose a random message to go with the desire and due date. While exploring the planet, players can view other people's desires either with or without specifying a subject. They can send supports and gifts to other posts, as well as comment if they send at least 10 supports at once.
[[Trivial Features|Trivial features]] can be unlocked by supporting posts and making posts in different categories.
==Level Rewards==
{| border="1" cellspacing="0" cellpadding="2" align="center" style="cell-padding:10px;text-align:center;"
|-
!scope="row"| Level
| style="padding: 10px"| 2
| style="padding: 10px"| 3
| style="padding: 10px"| 4
| style="padding: 10px"| 5
| style="padding: 10px"| 6
| style="padding: 10px"| 7
| style="padding: 10px"| 8
| style="padding: 10px"| 9
| style="padding: 10px"| 10
|-
!scope="row" style="padding: 10px"| Reward
| x
| x
| x
| x
| x
| x
| x
| x
| x
|}
cb800f4db7da804cec846145ef7d62f0bc5b1880
943
942
2022-12-27T01:00:50Z
Hyobros
9
/* Desires */ fixed a formatting error
wikitext
text/x-wiki
== Description ==
"''The Root of Desire constantly sends out galactic signals for satisfying desires, and signals from this planet are permanent. They include desires such as... Salads... Beer... Winning the lottery...''"
Root of Desire is one of the emotion planets found in the infinite universe. It corresponds with [[Energy/Passionate Energy|passionate energy]] and the Strong Desire emotion. This planet is themed around desire, and is a place for users to post, support and comment on their desires.
== Desires ==
After unlocking the planet, players can create a post about a desire they have. Before writing, they're prompted to categorize what it's about. This is between:
* Object
* Human
* Romance
* Wealth
* Life
* Career
* Academics
* Inner
* Family
* Others
After writing, the player is prompted to record a date they estimate for that desire to come true and choose a random message to go with the desire and due date. While exploring the planet, players can view other people's desires either with or without specifying a subject. They can send supports and gifts to other posts, as well as comment if they send at least 10 supports at once.
[[Trivial Features|Trivial features]] can be unlocked by supporting posts and making posts in different categories.
==Level Rewards==
{| border="1" cellspacing="0" cellpadding="2" align="center" style="cell-padding:10px;text-align:center;"
|-
!scope="row"| Level
| style="padding: 10px"| 2
| style="padding: 10px"| 3
| style="padding: 10px"| 4
| style="padding: 10px"| 5
| style="padding: 10px"| 6
| style="padding: 10px"| 7
| style="padding: 10px"| 8
| style="padding: 10px"| 9
| style="padding: 10px"| 10
|-
!scope="row" style="padding: 10px"| Reward
| x
| x
| x
| x
| x
| x
| x
| x
| x
|}
1ced5d3625ba879ba40319ed6d135c797b86f17e
Planets/Tolup
0
237
944
843
2022-12-28T00:43:57Z
User135
5
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|
|}
b0610d2d6ceaed79b3903ff7bfd2b8707baa8413
Teo
0
3
945
861
2022-12-30T03:06:02Z
Hyobros
9
/* General */ added some info about the beta
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
===Beta===
Teo was the only character featured in The Ssum beta release in 2018. His personality was slightly different and his appearance was completely different from the official release of the game. This version of the game only went up to day 15, when Teo confessed to the player.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Route ==
=== Vanas ===
==== Day 14 Confession ====
=== Mewry ===
=== Crotune ===
=== Tolup ===
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
b79bb4036d40056c655d63a808659bf51346a0c1
Teo/Gallery
0
245
946
845
2022-12-30T03:07:09Z
Hyobros
9
added a section to add photos from the beta
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Wake Time Pictures 03.png|Day 3
TeoDay5DinnerSelfie.png|Day 5
TeoDay7BedtimeSelfie.png|Day 7
TeoDay9BedtimeSelfie.png|Day 9
TeoDay13WaketimeSelfie.png|Day 13
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
2c80cb1a93119f3993fe33257c325d23e7659695
Template:MainPageEnergyInfo
10
32
947
892
2022-12-31T03:06:57Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Peaceful
|date=12-30, 2022
|description=Peaceful energy will double if you share it through, for example, a warm piece of word or a phone call...♥
|cusMessage=We are grateful for everything today. And I hope you would have another happy day.}}
1a8e186aaee3a89e6b3d205892593cf6ce14e1a9
950
947
2023-01-01T00:37:33Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=12-31, 2022
|description=This energy will get stronger once you find your personal philosophy.
|cusMessage=Today is the day for each of you to study your personal philosophy. I hope you would enjoy it!}}
b685cee64c9bdb9b934d8aed2617a115ca2b521d
951
950
2023-01-09T23:08:04Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Philosophical
|date=1-9, 2023
|description=If you do not have a personal philosophy, it will be difficult to know the purpose of your life. That tells you how important this energy is.
|cusMessage=Perhaps you can find your greatest master within you. We support your Journey to reach yourself waiting within.}}
b68697efecbc673a0f79dff3717992a078689984
Daily Emotion Study
0
436
948
2023-01-01T00:34:42Z
Hyobros
9
Created page with "The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them."
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
bc3e8cf9556a9478150776f9c7dff7e16a11c011
Beginners Guide
0
175
949
872
2023-01-01T00:35:36Z
Hyobros
9
/* Free Emotion Study */ added info
wikitext
text/x-wiki
==Description==
TBA
==Account Creation==
When you log in for the first time, it's highly recommended that one makes an account for the game if you’re able to. Additionally, after the prologue you can go to the settings and link a Google or Facebook account (maybe an apple acct?) and from then on you will be able to log in with either your email or the account you linked. You’ll also get 5 bonus batteries for linking.
==Main Page==
[[File:MainScreen.png|400px|thumb|right]]
The main screen displays navigation, what day you're on, and what "time" it is. In the upper right corner there are buttons to go to settings and lab notices. In the upper left is a wing-shaped icon that display tips from piu-piu or quotes from mystic messenger characters. To the left of the screen is the lab menu and to the right is the emotion incubator.
== Incubator ==
[[File:IncubatorImage.png|400px|thumb|right]]
The incubator is a screen to the right of the main screen. It is used to transform energy into emotions.
* Incubator Level: The incubator can be leveled up, which results in a creature box.
* Incubator Efficiency: The incubator can be made more efficient with each level. The more efficient the incubator is, the more likely it is to produce a unique emotion, rather than a bored emotion. The efficiency of the incubator can only be increased to 10%
* Overproduction: Occasionally, the incubator will create more emotions than expected. This can be shown by the green rings around the incubator's flask.
* Incubating Aidbot: A paid feature - a robot will incubate energy automatically until PIU-PIU's belly is full.
=== Flasks ===
Flasks are used to incubate emotions. By default, each player has three available flasks. However, flasks can be purchased in the Aurora Lab shop.
=== Energy Uses ===
Energy is a currency used to incubate Emotions. These emotions can be used to create and to support posts on the various planets. In the City of Free Men planet, bored emotions can also be used to create labs or to exchange 100 bored emotions for a frequency.
[[File:EnergyTypes.png|400px|thumb|right]]
=== Daily Energy ===
The daily energy determines what type of question will be posted in the emotion lab and what bonus energies the player receives when logging into the lab. Upon posting a response to the lab question, the player receives 4 energies corresponding to the day's energy and 1 energy of every other type. On rainbow days, players receive 4 of each.
=== Earning Energy ===
* Watching ads in Free Energy tab of the Aurora LAB (Limit 5 per day)
* Posting a reply in the Free Emotion Study of the Day (will be the emotion of the day)
* Random chance when supporting posts in the Free Emotion Study of the Day
* Random chance when supporting posts in the various planets
* Random chance when responding to a chat from Teo or Harry
* Unlocking Trivial Features
* Releasing a bluebird transmission on the Forbidden Lab screen
* Collecting rent from Space Creatures in the Sunshine Shelter
* Utilizing the battery grinder in the Emotion Incubator
* Tapping the pink feather at the end of chats
== Emotions ==
[[File:EmotionsDiagram.png|400px|thumb|right]]
There are eight emotions, which each relate to the eight non-seasonal planets:
* Freedom to Be Bored
* Strong Desire
* Wings of Sensitivity
* Best Jokes Ever
* Gratitude
* Wall of Reason
* Puzzles in Relationship
* Realization
After incubating 20 of these emotions for the first time, a new planet will be unlocked.
=== Frequencies ===
Frequencies are unique to [[Planets|seasonal planets]]. These planets correspond with 'seasons' that typically last for 30 days, although some seasons are shorter. While these planets in orbit of a planet, its corresponding frequency has a higher chance to be incubated. After acquiring 30 of these frequencies, a new planet will open.
The currently available seasonal planets are:
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Gifts ===
Very rarely, the incubator will produce gifts. Each emotion will produce a unique set of gifts. These gifts can be given to players in the various planets. Received gifts can be decomposed in PIU-PIU's belly and give a free aurora battery. Additionally, gifts can be given to player's cults in Momint for extra batteries.
* Nest Egg (Passion)
* Rose (Passion)
* Vodka (Passion)
* Shovel for fangirling (Sensitivity)
* Warm Coffee (Sensitivity)
* PIU-PIU Lamp (Sensitivity)
* Stage Microphone (Jolly)
* Tip (Jolly)
* Marble Nameplate (Jolly)
* Teddy Bear (Peaceful)
* Dandelion Seed (Peaceful)
* Cream Bun (Peaceful)
* Massage Chair (Logical)
* 4K Monitor (Logical)
* A Box of Snacks (Logical)
* Hearty Meal (Pensive)
* Cat (Pensive)
* Punching Bag (Pensive)
* Golden Fountain Pen (Galactic)
* Alien (Galactic)
* Fan Club Sign-Up Certificate (Galactic)
== Time Machine ==
[[File:TimeMachineScreen.png|400px|thumb|right]]
The Time Machine is a feature that can be used to travel to the past or future. A time travel ticket must be purchased from the Aurora Lab to travel. The time machine is reached by tapping the rocket icon on the main page.
A single time travel ticket can take a user up to 30 days into the future, or to any point into the past. When traveling to a different day, that day will start at whatever chat the player is currently at (if it's currently the lunch chat, in other words, they will miss out on the wake time and breakfast chat and be unable to participate in them).
== Gallery ==
[[File:GalleryScreen.png|400px|thumb|right]]
This is where you view Teo’s pictures. You can set them as your wallpaper upon opening the game, favorite them, or download them. They’re grouped by what season they were obtained. Some pictures, especially as you progress through the game, will be unavailable until you spend 5 batteries to view them. This is one feature that is overridden with the rainbow evolution and aurora package subscriptions.
== Trivial Features ==
[[File:TrivialScreen.png|400px|thumb|right]]
[[Trivial Features]] are similar to achievements. You can unlock them through various methods including but not limited to logging in a certain number of days, not logging in, responding to Teo in certain ways, or interacting with others on planets.
== Private Account ==
[[File:PrivateAccountScreen.png|400px|thumb|right]]
This is a feature only accessible for players who have the Rainbow Evolution or Aurora subscription. Teo's private thoughts will be displayed on this page according to how the player responds during chats. Messages that trigger this are marked by a gray floating bird icon.
== Profile ==
[[File:ProfileScreen.png|400px|thumb|right]]
In the profile screen there are a few main functions. As a brand new player, you can take the personality assessment at the bottom of the screen. It is made up of 5 questions each with three potential answers. Players get different results according to their answers.
[[File:SurveyResultsExample.png|400px|thumb|right]]
It’s not known yet whether or how this impacts the gameplay. You do get a few batteries from completing it.
You can also change you name and profile picture. If you change your name to certain Mystic Messenger characters, you’ll unlock trivial features. You can also change Teo’s name by using 50 batteries and his profile picture for 100 batteries. For the first couple of weeks, there will either be a smiley face or a heart between the player and Teo’s profiles. It’s unknown as of now what specifically triggers each. Above Teo's picture is an icon to switch to another ssum-one. This freezes your time with Teo if you move on to Harry and vice versa.
It’s impossible to change your birthday, but you can change your occupation as you please. You can also edit your daily schedule on this screen, but it costs $0.99 to do so.
== Milky Way Calendar ==
[[File:MilkyWayScreen.png|400px|thumb|right]]
The Milky Way Calendar is where you can view chats and calls from previous days. According to the tutorial on the first day, the stamps will display according to your progress and interactions of each day. Location of the stars can vary between four levels. The highest level displays days with minimal interaction. The third level shows 100% completed days. Exact percentages for each to be determined later.
== Aurora LAB ==
The Aurora Lab is where microtransactions can be made. There are two subscriptions to choose from: The Rainbow Package or the Aurora Evolution Package. The benefits are listed on their respective pages but I’ll add them here later anyway. There’s also the item lab, where players can buy aurora batteries, aurora creature boxes, flasks, daily pattern change and time machine tickets. The third page is the emoticon factory, where players can set the emoticon set they’d like to use. The first one (bubble emoticon) is free for the whole game, but the rest will cost $0.99 each when you complete their respective planets. The emoticons for your current planet will be automatically applied and will be free for their respective period of time.
In addition, you can watch ads to get 2 energy each, for a maximum of 5 ads and 10 energy.
The final page is labeled with the player name and it displays the inventory of creature boxes, batteries, daily pattern change tickets and time machine tickets.
==Lab Screen==
[[File:LabHomeScreen.png|400px|thumb|right]]
The LAB screen is to the left of the home screen. Here, players can check their inventory ([[PIU-PIU's Belly|Piu-Piu's Belly]]), complete daily Free Emotion Studies, view their study calendar, open the Sunshine Shelter, and access the Infinite Universe.
===LAB Participant Info===
===Sunshine Shelter===
===Free Emotion Study===
The Free Emotion Study is a daily prompt for players and love interests to respond to on a daily basis. There are different kinds of prompts according to the energy of the day. Players can respond 1 time and react to other posts 5 times without a subscription. With either the rainbow evolution or aurora subscriptions, one can post twice a day. On the rainbow evolution one can react 15 times and with the aurora one can react 20 times.
As stated before, love interests [[Daily Emotion Study|also post responses]] to the daily emotion studies. They can be found through the "mix" tab at the bottom, though the chance of getting to see his post on each refresh is random.
===Infinite Universe===
====Notes====
53ee11dcdb67c3575fff8b296b02caedc385510b
File:3 Days Since First Meeting Bedtime Pictures(1).png
6
437
952
2023-01-12T15:00:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:3 Days Since First Meeting Dinner Pictures (Teo).png
6
438
953
2023-01-12T15:02:27Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:5 Days Since First Meeting Dinner Pictures(3).png
6
439
954
2023-01-12T15:04:18Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:5 Days Since First Meeting Dinner Pictures(1).png
6
440
955
2023-01-12T15:18:20Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:5 Days Since First Meeting Dinner Pictures.png
6
441
956
2023-01-12T15:19:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:6 Days Since First Meeting Bedtime Pictures 2.png
6
442
957
2023-01-12T15:19:53Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:7 Days Since First Meeting Breakfast Pictures.png
6
443
958
2023-01-12T15:20:49Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:7 Days Since First Meeting Wake Time Pictures.png
6
444
959
2023-01-12T15:21:21Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:9 Days Since First Meeting Dinner Pictures(1).png
6
445
960
2023-01-12T15:22:24Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Teo/Gallery
0
245
961
946
2023-01-12T15:51:50Z
Hyobros
9
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
TeoDay13WaketimeSelfie.png|Day 13
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
e3d362fb0fa52e5ddbd5d371e8d7881e21880f27
Template:MainPageEnergyInfo
10
32
962
951
2023-01-12T15:53:51Z
Hyobros
9
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Peaceful
|date=1-12, 2023
|description=I hope [love interest] can make use of today's energy and send you warm energy...
|cusMessage=I hope peace and love will be with all lab participants around the world...}}
1ec8e3af9a8dd858448db15c6fcfa3d27c90ce96
Forbidden Lab
0
303
963
726
2023-01-19T16:07:38Z
Hyobros
9
/* Features */ added daily emotion study section
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
===Daily Emotion Study===
The daily emotion study is a prompt provided on a daily basis for lab participants (players and love interests) to respond to. Most prompts provided will be unique, although it's common for repeats to happen after a few weeks from their last use.
Players without a subscription can post one response and send support to up to 10 posts.
[[Daily Emotion Study|The love interests' responses]] can be found on the "mix" screen, which displays a random assortment of responses.
5e08f47611caeb98aeefc25b7ffeefe3c877f6e0
964
963
2023-01-19T16:12:27Z
Hyobros
9
/* Background */
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
Upon the first time entering during the tutorial process, players will be offered a position as a 'lab participant.' The page states that the lab "studies love and persona of every human being in the universe." This effort ultimately goes toward the lab's study of 'true love.'
According to a loading screen hint, the lab was first discovered behind a waterfall. It's stated that the lab is shut away from the world due to its 'unlimited freedom' which guarantees that every lab participant is granted Emotional Freedom.
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
===Daily Emotion Study===
The daily emotion study is a prompt provided on a daily basis for lab participants (players and love interests) to respond to. Most prompts provided will be unique, although it's common for repeats to happen after a few weeks from their last use.
Players without a subscription can post one response and send support to up to 10 posts.
[[Daily Emotion Study|The love interests' responses]] can be found on the "mix" screen, which displays a random assortment of responses.
1e9840a32f2b22d84f848a92948da80be0bad1a4
965
964
2023-01-19T16:18:10Z
Hyobros
9
/* Background */
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
According to a loading screen hint, the lab was first discovered behind a waterfall. It's stated that the lab is shut away from the world due to its 'unlimited freedom' which guarantees that every lab participant is granted Emotional Freedom.
Information about the lab and Dr. Cus-Monseiour is provided through bluebird notes, which have a rare chance of dropping when a player views the bluebird.
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
===Daily Emotion Study===
The daily emotion study is a prompt provided on a daily basis for lab participants (players and love interests) to respond to. Most prompts provided will be unique, although it's common for repeats to happen after a few weeks from their last use.
Players without a subscription can post one response and send support to up to 10 posts.
[[Daily Emotion Study|The love interests' responses]] can be found on the "mix" screen, which displays a random assortment of responses.
0f47de5af7c91394996c9587fbda9ef3d06c4c8b
966
965
2023-01-19T16:54:33Z
Hyobros
9
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
According to a loading screen hint, the lab was first discovered behind a waterfall. It's stated that the lab is shut away from the world due to its 'unlimited freedom' which guarantees that every lab participant is granted Emotional Freedom.
Information about the lab and Dr. Cus-Monseiour is provided through bluebird notes, which have a rare chance of dropping when a player views the bluebird.
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
===Daily Emotion Study===
The daily emotion study is a prompt provided on a daily basis for lab participants (players and love interests) to respond to. Most prompts provided will be unique, although it's common for repeats to happen after a few weeks from their last use.
Players without a subscription can post one response and send support to up to 10 posts.
[[Daily Emotion Study|The love interests' responses]] can be found on the "mix" screen, which displays a random assortment of responses.
===Bluebird===
Upon entering the forbidden lab screen, a blue dot may float across the screen. Upon opening it, the contents may be either a thought a love interest has or a random post you've made on an emotion or seasonal planet (given that you have the bluebird activated for them). When closing, there's a chance of the bird dropping energy or a battery.
On rare occasions, the bluebird will drop a note containing information about Dr. Cus-Monsieur and PIU-PIU's background. As of now, there are 33 notes to collect.
==Bluebird Notes==
Below are the contents of the bluebird notes. Please be aware that this section may contain spoilers.
{| class="wikitable" style="text-align:center"
|+ Caption text
|-
| style="width: 30%"| #1<br>Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. || #2<br>The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctorate degree and become a secret researcher who seeks the secret of the universe. || #3<br>The young doctor spent his time in glory, marking every single one of his footsteps with success. Then one day he looked back upon his perfect life and thought…
‘I have accomplished everything, but I have never once fallen in love.’
<br>
For the first time in his life, he felt lonely!
|-
| #4<br>Thus Dr. Cus-Monsieur decided to experience love. At the same time, he decided to quit his job and put an end to his glorious career at the secret space lab, in order to discover the formula for the ‘perfect love!’. || #5<br>Dr. Cus-Monsieur departed from the secret space lab and officially registered as a member PLF (Perfect Love Follower), the most prestigious international institution in love that aims for the perfect love.
<br>
Did he manage to find love at PLF, you ask…? || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|}
50a7ada078022b997c962d03b80f363e141c4b07
967
966
2023-01-19T17:04:49Z
Hyobros
9
/* Bluebird Notes */
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
According to a loading screen hint, the lab was first discovered behind a waterfall. It's stated that the lab is shut away from the world due to its 'unlimited freedom' which guarantees that every lab participant is granted Emotional Freedom.
Information about the lab and Dr. Cus-Monseiour is provided through bluebird notes, which have a rare chance of dropping when a player views the bluebird.
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
===Daily Emotion Study===
The daily emotion study is a prompt provided on a daily basis for lab participants (players and love interests) to respond to. Most prompts provided will be unique, although it's common for repeats to happen after a few weeks from their last use.
Players without a subscription can post one response and send support to up to 10 posts.
[[Daily Emotion Study|The love interests' responses]] can be found on the "mix" screen, which displays a random assortment of responses.
===Bluebird===
Upon entering the forbidden lab screen, a blue dot may float across the screen. Upon opening it, the contents may be either a thought a love interest has or a random post you've made on an emotion or seasonal planet (given that you have the bluebird activated for them). When closing, there's a chance of the bird dropping energy or a battery.
On rare occasions, the bluebird will drop a note containing information about Dr. Cus-Monsieur and PIU-PIU's background. As of now, there are 33 notes to collect.
==Bluebird Notes==
Below are the contents of the bluebird notes. Please be aware that this section may contain spoilers.
{| class="wikitable" style="text-align:center"
|+ Caption text
|-
| style="width: 30%"| #1<br>Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. || #2<br>The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctorate degree and become a secret researcher who seeks the secret of the universe. || #3<br>The young doctor spent his time in glory, marking every single one of his footsteps with success. Then one day he looked back upon his perfect life and thought…
‘I have accomplished everything, but I have never once fallen in love.’
<br>
For the first time in his life, he felt lonely!
|-
| #4<br>Thus Dr. Cus-Monsieur decided to experience love. At the same time, he decided to quit his job and put an end to his glorious career at the secret space lab, in order to discover the formula for the ‘perfect love!’. || #5<br>Dr. Cus-Monsieur departed from the secret space lab and officially registered as a member PLF (Perfect Love Follower), the most prestigious international institution in love that aims for the perfect love.<br>Did he manage to find love at PLF, you ask…? || #6
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|}
022004c1f8dc9ba1a45e622fd9ef947be46fcd9e
968
967
2023-01-24T15:39:49Z
Hyobros
9
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
According to a loading screen hint, the lab was first discovered behind a waterfall. It's stated that the lab is shut away from the world due to its 'unlimited freedom' which guarantees that every lab participant is granted Emotional Freedom.
Information about the lab and Dr. Cus-Monseiour is provided through bluebird notes, which have a rare chance of dropping when a player views the bluebird.
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
===Daily Emotion Study===
The daily emotion study is a prompt provided on a daily basis for lab participants (players and love interests) to respond to. Most prompts provided will be unique, although it's common for repeats to happen after a few weeks from their last use.
Players without a subscription can post one response and send support to up to 10 posts.
[[Daily Emotion Study|The love interests' responses]] can be found on the "mix" screen, which displays a random assortment of responses.
===Bluebird===
Upon entering the forbidden lab screen, a blue dot may float across the screen. Upon opening it, the contents may be either a thought a love interest has or a random post you've made on an emotion or seasonal planet (given that you have the bluebird activated for them). When closing, there's a chance of the bird dropping energy or a battery.
On rare occasions, the bluebird will drop a note containing information about Dr. Cus-Monsieur and PIU-PIU's background. As of now, there are 33 notes to collect.
==Bluebird Notes==
Below are the contents of the bluebird notes. Please be aware that this section may contain spoilers.
{| class="wikitable" style="text-align:center"
|-
| style="width: 33%"| #1<br>Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. || #2<br>The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctorate degree and become a secret researcher who seeks the secret of the universe. || #3<br>The young doctor spent his time in glory, marking every single one of his footsteps with success. Then one day he looked back upon his perfect life and thought…
‘I have accomplished everything, but I have never once fallen in love.’
<br>
For the first time in his life, he felt lonely!
|-
| #4<br>Thus Dr. Cus-Monsieur decided to experience love. At the same time, he decided to quit his job and put an end to his glorious career at the secret space lab, in order to discover the formula for the ‘perfect love!’. || #5<br>Dr. Cus-Monsieur departed from the secret space lab and officially registered as a member PLF (Perfect Love Follower), the most prestigious international institution in love that aims for the perfect love.<br>Did he manage to find love at PLF, you ask…? || #6<br>The mission of PLF was to research and train its members in how to be cool enough to excel in the modern world and hence become a perfect candidate to be a perfect couple.
Its manual boasted over millions of followers, upon which 95.4 percent of all couple-matching websites over the globe base their guidelines!
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|-
| Example || Example || Example
|}
ba92b3ad7ce7f167557d1760378d967a6e1ff1f3
971
968
2023-01-26T16:25:28Z
Hyobros
9
added links to character bios
wikitext
text/x-wiki
== General ==
The Forbidden Lab was founded by [[Dr. Cus-Monsieur]] and is the origin of [[PIU-PIU]]. It is a place that was shut away from the outside world due to its unlimited freedom. The lab was founded to study human emotion, and particularly love. The player was invited to join the lab after especially strong emotional frequencies were detected from them.
== Background ==
According to a loading screen hint, the lab was first discovered behind a waterfall. It's stated that the lab is shut away from the world due to its 'unlimited freedom' which guarantees that every lab participant is granted Emotional Freedom.
Information about the lab and Dr. Cus-Monseiour is provided through bluebird notes, which have a rare chance of dropping when a player views the bluebird.
== Features ==
=== Emotion Incubation ===
The Emotion Incubator takes emotional energy (which is created by posting, gifts from creatures, doing the daily free emotion study, and randomly while chatting) and turns it into emotional frequencies that can be spent in the various planets. The process of developing the energy into emotions creates a power source that is used to travel between the infinite universe planets.
=== Sunshine Shelter ===
The Sunshine Shelter hosts a variety of creatures that come from the infinite universe. These creatures can be discovered through opening creature boxes, which are obtained through Trivial Features, leveling up planets, and randomly while liking posts.
=== Infinite Universe ===
There are eight main planets that can be unlocked at any time - the City of Free Men, Canals of Sensitivity, Root of Desire, Archive of Sentences, Milky Way of Gratitude, Mountains of Wandering Humor, Archive of Terran Info, and Bamboo Forest of Troubles. These planets can be leveled up through posting and liking posts, up to a maximum level of 10. Each level achieved gains a reward of either a creature box, or aurora batteries.
There are eight planets that can be achieved seasonally, as the game progresses. Once these planets are unlocked, they are available permanently, although the rate of incubating these planetary emotions reduces the farther one is from the planet. The current known planets are Vanas, Mewry, Crotune, Tolup, Cloudi, Burny, Pi, and Momint.
===Daily Emotion Study===
The daily emotion study is a prompt provided on a daily basis for lab participants (players and love interests) to respond to. Most prompts provided will be unique, although it's common for repeats to happen after a few weeks from their last use.
Players without a subscription can post one response and send support to up to 10 posts.
[[Daily Emotion Study|The love interests' responses]] can be found on the "mix" screen, which displays a random assortment of responses.
===Bluebird===
Upon entering the forbidden lab screen, a blue dot may float across the screen. Upon opening it, the contents may be either a thought a love interest has or a random post you've made on an emotion or seasonal planet (given that you have the bluebird activated for them). When closing, there's a chance of the bird dropping energy or a battery.
On rare occasions, the bluebird will drop a note containing information about [[Dr. Cus-Monsieur]] and [[PIU-PIU]]'s background. As of now, there are 33 notes to collect.
e5fd294281341dda46e4201151658d03553a5599
Planets
0
44
969
580
2023-01-26T16:16:03Z
Hyobros
9
wikitext
text/x-wiki
There are planets you can unlock by repeatedly acquiring one specific [[Emotion]]/[[Frequency]]. As of now, there are 8 planets and 8 seasonal planets that correspond with Teo's phases. To access the [[Forbidden Lab|infinite universe]] and get to planets, you need energy. Energy is produced when the incubator is running. '''This means that it's very important not to softlock yourself. When incubating energies, use more than one type at a time to avoid maxxing your inventory and getting stuck.'''
== Emotion Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:City_of_Free_Men_Planet.png|150px|link=Planets/City_of_Free_Men]]<br>'''[[Planets/City of Free Men|City of Free Men]]''' || [[File:Root_of_Desire_Planet.png|150px|link=Planets/Root of Desire]]<br>'''[[Planets/Root of Desire|Root of Desire]]'''
|-
|[[File:Canals of Sensitivity_Planet.png|200px|link=Planets/Canals of Sensitivity]]<br>'''[[Planets/Canals of Sensitivity|Canals of Sensitivity]]''' || [[File:Mountains of Wandering Humor_Planet.png|150px|link=Planets/Mountains of Wandering Humor]]<br>'''[[Planets/Mountains of Wandering Humor|Mountains of Wandering Humor]]'''
|-
|[[File:Milky Way of Gratitude_Planet.png|150px|link=Planets/Milky Way of Gratitude]]<br>'''[[Planets/Milky Way of Gratitude|Milky Way of Gratitude]]''' || [[File:Archive of Terran Info_Planet.png|150px|link=Planets/Archive of Terran Info]]<br>'''[[Planets/Archive of Terran Info|Archive of Terran Info]]'''
|-
| [[File:Bamboo Forest of Troubles_Planet.png|140px|link=Planets/Bamboo Forest of Troubles]]<br>'''[[Planets/Bamboo Forest of Troubles|Bamboo Forest of Troubles]]''' || [[File:Archive of Sentences_Planet.png|150px|link=Planets/Archive of Sentences]]<br>'''[[Planets/Archive of Sentences|Archive of Sentences]]'''
|-
|}
== Seasonal Planets ==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vanas_Planet.png|120px|link=Planets/Vanas]]<br>'''[[Planets/Vanas|Vanas]]''' || [[File:Mewry_Planet.png|150px|link=Planets/Mewry]]<br>'''[[Planets/Mewry|Mewry]]'''
|-
|[[File:Crotune_Planet.png|150px|link=Planets/Crotune]]<br>'''[[Planets/Crotune|Crotune]]''' || [[File:Tolup_Planet.png|140px|link=Planets/Tolup]]<br>'''[[Planets/Tolup|Tolup]]'''
|-
|[[File:Cloudi_Planet.png|150px|link=Planets/Cloudi]]<br>'''[[Planets/Cloudi|Cloudi]]''' || [[File:Burny_Planet.png|150px|link=Planets/Burny]]<br>'''[[Planets/Burny|Burny]]'''
|-
|[[File:Pi_Planet.png|150px|link=Planets/Pi]]<br>'''[[Planets/Pi|Pi]]''' || [[File:Momint_Planet.png|150px|link=Planets/Momint]]<br>'''[[Planets/Momint|Momint]]'''
|}
d2029a4d0ed80b6b1af29e3b73e60529079d6bac
PIU-PIU's Belly
0
382
970
829
2023-01-26T16:23:40Z
Hyobros
9
wikitext
text/x-wiki
{{WorkInProgress}}
Piu-Piu's belly is an inventory system where emotions, frequencies, gifts, and profile icons and titles are stored. There is a maximum number one can reach for the first three, that being 50 of each individual type if the player doesn't have a subscription, 80 with the rainbow package, and 120 with the aurora package. It can be found either in the [[Incubator|incubator]] screen or the [[Forbidden Lab|lab screen]].
{| class="wikitable mw-collapsible mw-collapsed" style="margin-left:0; width:50%; height:200px"
! colspan="3" style="background:#de8b83; color:#f6e0de; text-align:center;" | GIFTS
|-
| Nest Egg|| Red Rose|| Vodka
|-
| Shovel for fangirling || Warm coffee || Soft Lamp
|-
| Stage Microphone || Tip || Marble Nameplate
|-
| Teddy Bear || Dandelion Seed || Cream Bun
|-
| Massage Chair || 4K Monitor || A Box of Snacks
|-
| Hearty Meal || Cat || Punching Bag
|-
| Golden Fountain Pen || Alien || Fan Club Sign-Up Certificate
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin:0 0 auto auto; width:50%;height:200px"
! colspan="3" style="background:; color:; text-align:center;" | TITLES
|-
| || ||
|-
| || ||
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin-right:auto; margin-left:0; width:50%; height:200px"
! colspan="3" style="background:; color:; text-align:center;" | MORE
|-
| || ||
|-
| || ||
|-
|}
25c0f4860bfca637362e6bcd705364d362668912
Daily Emotion Study
0
436
972
948
2023-01-26T16:55:38Z
Hyobros
9
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Example || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Example || Example
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Example || Example
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Example || Example
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || Example || Example
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
---Special Studies---
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Header text !! Header text !! Header text !! Header text !! Header text
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
4c814fb82b586ff7c1dbe00601ce314f5be032ca
973
972
2023-01-27T18:33:22Z
Hyobros
9
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Example || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Example || Example
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Example || Example
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Example || Example
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || Example || Example
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
8624a65336128e95fb33ceff814f7a74fd0e3af8
974
973
2023-01-31T14:19:18Z
Hyobros
9
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Example || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Example || Example
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Example || Example
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Example || Example
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || Example || Example
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || Example || Example
|-
| Logical || Trying to Concentrate to Maximum || When do you exercise greatest concentration? || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
d90dad088e08aba0a990a3c71cdd2d8ef589f28e
975
974
2023-01-31T16:39:27Z
Hyobros
9
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Example || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Example || Example
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Example || Example
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Example || Example
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || Example || Example
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || Example
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
e56f8c1db896a0f3d7ffdbdaac8412638188ddbb
976
975
2023-01-31T16:53:23Z
Hyobros
9
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Example || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Example || Example
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Example || Example
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Example || Example
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || Example || Example
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || Example
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || Example
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Example
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
cfb2a2c0c247d279745a728cf811c87708fa47e7
977
976
2023-02-01T16:43:45Z
Hyobros
9
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Example || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Example || Example
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Example || Example
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Example || Example
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || Example || Example
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || Example
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || Example
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Example
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || Example
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Example
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || Example
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Example
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || Example || Example
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || Example
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || Example
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || Example
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Example
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || Example
|-
| Logical || Exchanging Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || Example
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Example
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
dab4cb250be164b31b51039d8dc564c810d71099
File:Emotions Cleaner Creature.gif
6
174
978
498
2023-02-02T09:10:01Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Emotions Cleaner Creature.gif]]
wikitext
text/x-wiki
== Summary ==
A gif of the emotions cleaner creature. Credit to dataminessum on tumblr for ripping the asset.
cb46137f3e4b9cda81a4486dfa67ec6a06635e96
File:Immortal Turtle Creature.gif
6
171
979
481
2023-02-02T09:15:18Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Immortal Turtle Creature.gif]]
wikitext
text/x-wiki
== Summary ==
A gif of the immortal turtle creature. Credit to dataminessum on tumblr for ripping the asset.
df8baa23d6e5d8094d7ea0b6997cc029936d45a9
File:Aura Mermaid Creature.gif
6
170
980
480
2023-02-02T09:16:00Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Aura Mermaid Creature.gif]]
wikitext
text/x-wiki
== Summary ==
A gif of the aura mermaid creature. Credit to dataminessum on tumblr for ripping the asset.
f016d93dda677fd10be9facd462eb793c8c48710
File:Space Dog Creature.gif
6
169
981
477
2023-02-02T09:16:36Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Space Dog Creature.gif]]
wikitext
text/x-wiki
== Summary ==
A gif of the space dog creature. Credit to dataminessum on tumblr for ripping the asset.
009c321dc161e8eee5112cfa5084504902d89c24
File:Teddy Nerd Creature.gif
6
168
982
476
2023-02-02T09:17:37Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Teddy Nerd Creature.gif]]
wikitext
text/x-wiki
== Summary ==
A gif of teddy nerd. Credit to dataminessum on tumblr for ripping the asset.
26ae42a0d7759a080139400e77d471ed5125244b
File:Aerial Whale Creature.gif
6
167
983
473
2023-02-02T09:17:55Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Aerial Whale Creature.gif]]
wikitext
text/x-wiki
== Summary ==
A gif of the aerial whale creature. Credit to dataminessum on tumblr for ripping the asset.
109fa62109e7a2465828591e29fc134a96f5a5c9
File:Fuzzy Deer.gif
6
166
984
469
2023-02-02T09:19:10Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Fuzzy Deer.gif]]
wikitext
text/x-wiki
== Summary ==
A gif of the fuzzy deer creature. Credit to dataminessum on tumblr for getting the asset.
8a33c67a431550935d1e23b475c6a4fe092dbed3
File:Unicorn Creature.gif
6
282
985
689
2023-02-02T09:19:38Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Unicorn Creature.gif]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Evolved Penguin Creature.gif
6
281
986
688
2023-02-02T09:20:14Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Evolved Penguin Creature.gif]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Yarn Cat Creature.gif
6
283
987
690
2023-02-02T09:20:40Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Yarn Cat Creature.gif]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:A.I. Data Cloud Creature.gif
6
446
988
2023-02-02T09:27:31Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:A.I. Spaceship Creature.gif
6
447
989
2023-02-02T09:28:07Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Alpha Centaurist Creature.gif
6
448
990
2023-02-02T09:28:21Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Andromedian Creature.gif
6
449
991
2023-02-02T09:28:32Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Ashbird Creature.gif
6
450
992
2023-02-02T09:28:47Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Banana Cart Creature.gif
6
451
993
2023-02-02T09:29:06Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Berrero Rocher Creature.gif
6
452
994
2023-02-02T09:29:19Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Bipedal Lion Creature.gif
6
453
995
2023-02-02T09:29:38Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Boxy Cat Creature.gif
6
454
996
2023-02-02T09:29:51Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Burning Jelly Creature.gif
6
455
997
2023-02-02T09:30:02Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Clapping Dragon Creature.gif
6
456
998
2023-02-02T09:30:18Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Deathless Bird Creature.gif
6
457
999
2023-02-02T09:30:31Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dragon of Nature Creature.gif
6
458
1000
2023-02-02T09:30:47Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Firefairy Creature.gif
6
459
1001
2023-02-02T09:31:03Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gray Creature.gif
6
460
1002
2023-02-02T09:31:15Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Guardian of Magic Creature.gif
6
461
1003
2023-02-02T09:31:26Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lyran Creature.gif
6
462
1004
2023-02-02T09:31:41Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Master Muffin Creature.gif
6
463
1005
2023-02-02T09:31:55Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Matching Snake Creature.gif
6
464
1006
2023-02-02T09:32:12Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Moon Bunny Creature.gif
6
465
1007
2023-02-02T09:32:25Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Nurturing Clock Creature.gif
6
466
1008
2023-02-02T09:32:35Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Orion Creature.gif
6
467
1009
2023-02-02T09:32:46Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Space Bee Creature.gif
6
468
1010
2023-02-02T09:32:58Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Space Monk Creature.gif
6
469
1011
2023-02-02T09:33:23Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Space Sheep Creature.gif
6
470
1012
2023-02-02T09:33:36Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Teletivies Creature.gif
6
471
1013
2023-02-02T09:33:52Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Terran Turtle Creature.gif
6
472
1014
2023-02-02T09:34:03Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tree of Life Creature.gif
6
473
1015
2023-02-02T09:34:18Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vanatic Grey Hornet Creature.gif
6
474
1016
2023-02-02T09:34:30Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Wingrobe Owl Creature.gif
6
475
1017
2023-02-02T09:34:41Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Space Creatures
0
29
1018
771
2023-02-02T09:38:01Z
Tigergurke
14
/* All Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[AI_Spaceship|AI Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_creature.png|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_creature.png|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_creature.png|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_creature.png|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_creature.png|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_creature.png|''[[Orion|Orion]]'' </gallery>
|}
c000fca6df411c87a0ca270ba5d89553e885a1d7
1019
1018
2023-02-02T09:39:00Z
Tigergurke
14
/* Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[AI_Spaceship|AI Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_creature.png|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_creature.png|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_creature.png|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_creature.png|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_creature.png|''[[Orion|Orion]]'' </gallery>
|}
03bd0a3a7843353b0f294f947b5565a60763c8ee
1020
1019
2023-02-02T09:40:12Z
Tigergurke
14
/* Legend */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[AI_Spaceship|AI Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
ac2ff5ec3eee75452ef4790281f704d1ffd95014
1024
1020
2023-02-02T12:31:11Z
Tigergurke
14
/* Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[AI_Spaceship|AI Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
d5ea5b48c7691cbde254d144432963f73844e59b
1036
1024
2023-02-02T13:08:54Z
Tigergurke
14
/* All Area */
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[A.I._Spaceship|A.I. Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
3433534e3a57639a4ecc3351747fa3a979600c0e
1040
1036
2023-02-02T13:16:50Z
Tigergurke
14
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[A.I._Spaceship|A.I. Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
|}
cf768cd1fcf94170e7900bbb05ea1141840c4dc0
1047
1040
2023-02-02T13:38:50Z
Tigergurke
14
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[A.I._Spaceship|A.I. Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#2ecccf" | ???
|-
|colspan="5" style="background:#1eb3b5" | <div style="color:#fafafa; padding:10px;">TBA</br></div>
|-
|<gallery mode="packed-hover">
Image:Tree_of_Life_Creature.gif|''[[Tree_of_Life|Tree of Life]]'' </gallery>
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
|}
4429fadd646096c770f557264685e36ac6763c48
Fuzzy Deer
0
24
1021
47
2023-02-02T11:00:13Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=3
|Name=Fuzzy Deer
|PurchaseMethod=Emotion
|Personality=Rash
|Tips=Intermediate
|Description= Their furs are made of 100% polyester. Many naturalist extraterrestrial beings had raised Fuzzy Deer to hug them during cold nights. They are very gentle, so they do not mind being hugged all night long. There once was a rumor that their heart and antler cure diabetes. Because of that, there are a few of them left in the universe these days.
|Quotes= TBA
|Compatibility=Likes: Moon Bunny
Dislikes: TBA
}}
026e3507978eda86d70725daaab4471e1cdc72e2
Space Dog
0
476
1022
2023-02-02T11:19:01Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=4 |Name=Space Dog |PurchaseMethod=Energy |Personality=Rash |Tips=Very low |Description= The Space Dogs are a little bit different from dogs on Earth. They are probably a little smarter than dogs on Earth, although they both drool... |Quotes= TBA |Compatibility=Likes: Space Sheep Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=4
|Name=Space Dog
|PurchaseMethod=Energy
|Personality=Rash
|Tips=Very low
|Description= The Space Dogs are a little bit different from dogs on Earth. They are probably a little smarter than dogs on Earth, although they both drool...
|Quotes= TBA
|Compatibility=Likes: Space Sheep
Dislikes: TBA
}}
2711d60bcafe26cb57f79ac97eb7e6209c027c76
File:Space Dog Creature.gif
6
169
1023
981
2023-02-02T11:20:00Z
Tigergurke
14
/* Summary */
wikitext
text/x-wiki
== Summary ==
A gif of the space dog creature.
bea5fdd84776dd93b55d309315ddaa6b793e7c86
Bipedal Lion
0
477
1025
2023-02-02T12:38:32Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=5 |Name=Bipedal Lion |PurchaseMethod=Energy & Emotion |Personality=Easygoing |Tips=Low |Description= A lion species in the universe made a great discovery one day. They found out that lions can walk upright! But do not let your guard down just because these biped lions look cute. They might bite you! |Quotes= TBA |Compatibility=Likes: Moon Bunny, Space Sheep Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=5
|Name=Bipedal Lion
|PurchaseMethod=Energy & Emotion
|Personality=Easygoing
|Tips=Low
|Description= A lion species in the universe made a great discovery one day. They found out that lions can walk upright! But do not let your guard down just because these biped lions look cute. They might bite you!
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Space Sheep
Dislikes: TBA
}}
7118c1ce325de411d6da872a784f7b8d3a1cf329
Teddy Nerd
0
478
1026
2023-02-02T12:40:38Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=6 |Name=Teddy Nerd |PurchaseMethod=Energy & Emotion |Personality=Very rash |Tips=Very low |Description=The Teddy Nerds are a new species of bears made by an extraterrestrial civilization, the result of gene experiments on bears. These GMO bears have intelligence higher than that of humans, but they sometimes have a problem with blinking. |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=6
|Name=Teddy Nerd
|PurchaseMethod=Energy & Emotion
|Personality=Very rash
|Tips=Very low
|Description=The Teddy Nerds are a new species of bears made by an extraterrestrial civilization, the result of gene experiments on bears. These GMO bears have intelligence higher than that of humans, but they sometimes have a problem with blinking.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
0f787353a17fa85271077f440fb0c34341fa59bb
Immortal Turtle
0
479
1027
2023-02-02T12:42:46Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=7 |Name=Immortal Turtle |PurchaseMethod=Energy & Emotion |Personality=Easygoing |Tips=Very low |Description= Rumor says that these turtles that swim in space can live forever. There is no report on this turtle found dead. Sometimes people would pick up an Immortal Turtle by mistake because they had thought it was a meteor. |Quotes= TBA |Compatibility=Likes: Aura Mermaid Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=7
|Name=Immortal Turtle
|PurchaseMethod=Energy & Emotion
|Personality=Easygoing
|Tips=Very low
|Description= Rumor says that these turtles that swim in space can live forever. There is no report on this turtle found dead. Sometimes people would pick up an Immortal Turtle by mistake because they had thought it was a meteor.
|Quotes= TBA
|Compatibility=Likes: Aura Mermaid
Dislikes: TBA
}}
51195e6ad2dc9c07ff1cfaf8c26a86709c24179f
Aura Mermaid
0
480
1028
2023-02-02T12:48:28Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=8 |Name=Aura Mermaid |PurchaseMethod=Energy & Emotion |Personality=Very easygoing |Tips=Low |Description=If you are really good at fishing, you might sometimes catch a mermaid while you fish in your spaceship. The Aura Mermaids are mysterious creatures, with a lot more to be discovered about them. It is known that their language is much more advanced than human languages. If you have a functional bathtub, you can live long with the Aura Mermaid. |Qu..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=8
|Name=Aura Mermaid
|PurchaseMethod=Energy & Emotion
|Personality=Very easygoing
|Tips=Low
|Description=If you are really good at fishing, you might sometimes catch a mermaid while you fish in your spaceship. The Aura Mermaids are mysterious creatures, with a lot more to be discovered about them. It is known that their language is much more advanced than human languages. If you have a functional bathtub, you can live long with the Aura Mermaid.
|Quotes= TBA
|Compatibility=Likes: Immortal Turtle
Dislikes: TBA
}}
d8b1a48f1f75b75b95d9927c138bc6c9fd03ce23
Wingrobe Owl
0
481
1029
2023-02-02T12:52:09Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=10 |Name=Wingrobe Owl |PurchaseMethod=Energy |Personality=Very rash |Tips=Very low |Description= The Wingrobe Owls inhabit only the planets very rich with oxygen. Rumor says they are able to foresee the future. That is why they are hunted by extraterrestrial beings that impersonate Space Oracles. They are endangered, so please protect them. |Quotes= TBA |Compatibility=Likes: Deathless Bird, Ashbird Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=10
|Name=Wingrobe Owl
|PurchaseMethod=Energy
|Personality=Very rash
|Tips=Very low
|Description= The Wingrobe Owls inhabit only the planets very rich with oxygen. Rumor says they are able to foresee the future. That is why they are hunted by extraterrestrial beings that impersonate Space Oracles. They are endangered, so please protect them.
|Quotes= TBA
|Compatibility=Likes: Deathless Bird, Ashbird
Dislikes: TBA
}}
8b3789d45fd927d2c14c7e68d3f446dcd0384925
Deathless Bird
0
482
1030
2023-02-02T12:54:48Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=11 |Name=Deathless Bird |PurchaseMethod=Emotion |Personality=Very easygoing |Tips=Low |Description=The Deathless Birds had lived on Earth a long time ago, but they chose extinction. The choice of whether they will leave their forms or be born again is entirely up to them. They enjoy single life, so it is very rare for them to bear a young. |Quotes= TBA |Compatibility=Likes: Bipedal Lion, Immortal Turtle Dislikes: Space Dog }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=11
|Name=Deathless Bird
|PurchaseMethod=Emotion
|Personality=Very easygoing
|Tips=Low
|Description=The Deathless Birds had lived on Earth a long time ago, but they chose extinction. The choice of whether they will leave their forms or be born again is entirely up to them. They enjoy single life, so it is very rare for them to bear a young.
|Quotes= TBA
|Compatibility=Likes: Bipedal Lion, Immortal Turtle
Dislikes: Space Dog
}}
6d838007cbb076f122aff1f33480330412536ef9
Dragon of Nature
0
483
1031
2023-02-02T12:56:23Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=12 |Name=Dragon of Nature |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=The Dragons have magical power. No unarmed animal can defeat a dragon. They coexist in peace with some advanced alien civilizations and lead the ecosystem protection movement. |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=12
|Name=Dragon of Nature
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=The Dragons have magical power. No unarmed animal can defeat a dragon. They coexist in peace with some advanced alien civilizations and lead the ecosystem protection movement.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
eba8051b2526d0d60b46c356b87c656e50680797
Space Monk
0
484
1032
2023-02-02T12:57:30Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=13 |Name=Space Monk |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=Years of spiritual asceticism can open the gateway to becoming the energy master. The Monks always want to experience new things, so they do not mind traveling to a new place. They have stated that they wish to be cast in a movie on Earth. |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=13
|Name=Space Monk
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=Years of spiritual asceticism can open the gateway to becoming the energy master. The Monks always want to experience new things, so they do not mind traveling to a new place. They have stated that they wish to be cast in a movie on Earth.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
1e6e5d43408ee3ce61ae485844642ad2ce31d2f4
Guardian of Magic
0
485
1033
2023-02-02T12:59:11Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=14 |Name=Guardian of Magic |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=The Guardians use magic stones and wands to orchestrate their magical power and solve problems in their towns. Their powers get stronger when their environment is filled with childlike innocence. You can sleep safe and sound if you have them! |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=14
|Name=Guardian of Magic
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=The Guardians use magic stones and wands to orchestrate their magical power and solve problems in their towns. Their powers get stronger when their environment is filled with childlike innocence. You can sleep safe and sound if you have them!
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
d2d1436b3ec1935a9b9f903ecdb27f6723d09e2d
Unicorn
0
486
1034
2023-02-02T12:59:57Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=15 |Name=Unicorn |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=You have found the Unicorn! The energy of light always follows this magical creature. They say Unicorns live in a very, very deep and quiet forest where no other intelligent life lives. They are beautiful creatures, but they hate troubles. |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=15
|Name=Unicorn
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=You have found the Unicorn! The energy of light always follows this magical creature. They say Unicorns live in a very, very deep and quiet forest where no other intelligent life lives. They are beautiful creatures, but they hate troubles.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
2b131e1c75f1466b0e284b64827fe197457d8a5c
AI Spaceship
0
487
1035
2023-02-02T13:07:48Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=16 |Name=A.I. Spaceship |PurchaseMethod=Energy |Personality=Very rash |Tips=High |Description=This unmanned spaceship moves by an A.I. It is like a bag that advanced aliens take when they go out. There are many designs and options you can choose from. |Quotes= TBA |Compatibility=Likes: Moon Bunny, Space Sheep, Teddy Nerd, Evolved Penguin, Emotions Cleaner, Nurturing Clock Dislikes: Immortal Turtle, Aura Mermaid, Aerial Whale, Orion, Yarn Cat, Berrer..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=16
|Name=A.I. Spaceship
|PurchaseMethod=Energy
|Personality=Very rash
|Tips=High
|Description=This unmanned spaceship moves by an A.I. It is like a bag that advanced aliens take when they go out. There are many designs and options you can choose from.
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Space Sheep, Teddy Nerd, Evolved Penguin, Emotions Cleaner, Nurturing Clock
Dislikes: Immortal Turtle, Aura Mermaid, Aerial Whale, Orion, Yarn Cat, Berrero Rocher, A.I. Data Cloud, Burning Jelly
}}
b4b06c94b3db27796c3581edf7253f41e75cd7d8
A.I. Spaceship
0
488
1037
2023-02-02T13:09:20Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=16 |Name=A.I. Spaceship |PurchaseMethod=Energy |Personality=Very rash |Tips=High |Description=This unmanned spaceship moves by an A.I. It is like a bag that advanced aliens take when they go out. There are many designs and options you can choose from. |Quotes= TBA |Compatibility=Likes: Moon Bunny, Space Sheep, Teddy Nerd, Evolved Penguin, Emotions Cleaner, Nurturing Clock Dislikes: Immortal Turtle, Aura Mermaid, Aerial Whale, Orion, Yarn Cat, Berrer..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=16
|Name=A.I. Spaceship
|PurchaseMethod=Energy
|Personality=Very rash
|Tips=High
|Description=This unmanned spaceship moves by an A.I. It is like a bag that advanced aliens take when they go out. There are many designs and options you can choose from.
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Space Sheep, Teddy Nerd, Evolved Penguin, Emotions Cleaner, Nurturing Clock
Dislikes: Immortal Turtle, Aura Mermaid, Aerial Whale, Orion, Yarn Cat, Berrero Rocher, A.I. Data Cloud, Burning Jelly
}}
b4b06c94b3db27796c3581edf7253f41e75cd7d8
Evolved Penguin
0
489
1038
2023-02-02T13:13:03Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=17 |Name=Evolved Penguin |PurchaseMethod=Energy & Emotion |Personality=Extremely rash |Tips=Low |Description=The Evolved Penguins’ brains are larger than human brains by 17%, and they have outstanding engineering skills. They swim around the universe and search for mysterious meteors. These penguins’ final goal is to conquer the universe and somehow make Aura Mermaids extinct. Did they have a fight before? |Quotes= TBA |Compatibility=Likes: TBA..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=17
|Name=Evolved Penguin
|PurchaseMethod=Energy & Emotion
|Personality=Extremely rash
|Tips=Low
|Description=The Evolved Penguins’ brains are larger than human brains by 17%, and they have outstanding engineering skills. They swim around the universe and search for mysterious meteors. These penguins’ final goal is to conquer the universe and somehow make Aura Mermaids extinct. Did they have a fight before?
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
59af221262aa59f6beeebdf16ec4227d1be05ddb
Teletivies
0
490
1039
2023-02-02T13:14:20Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=18 |Name= Teletivies |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=It is not clear whether the Teletivies are organisms or robots. The dominant view is that they are intelligent beings that had watched too much TV and remodeled themselves. These days they enjoy spying on (or enjoying) the British TV show for children that had illegally copied their images. |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=18
|Name= Teletivies
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=It is not clear whether the Teletivies are organisms or robots. The dominant view is that they are intelligent beings that had watched too much TV and remodeled themselves. These days they enjoy spying on (or enjoying) the British TV show for children that had illegally copied their images.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
89386a543cf65559e053f84233a0f30a64f30f5e
Lyran
0
491
1041
2023-02-02T13:21:36Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=20 |Name= Lyran |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=Lyrans are advanced creatures drifting through space. They are like cousins to humans, so they look similar to humans. They made incredible progress with science and technology, but their spiritual growth could not catch up with it. Because of that, their home planet got destroyed by political war. The survivors now drift through the universe, and they are highly interested i..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=20
|Name= Lyran
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=Lyrans are advanced creatures drifting through space. They are like cousins to humans, so they look similar to humans. They made incredible progress with science and technology, but their spiritual growth could not catch up with it. Because of that, their home planet got destroyed by political war. The survivors now drift through the universe, and they are highly interested in other planets’ real estate.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
4a1c8fc9f90dc35793b152532d320d365a5db501
Alpha Centaurist
0
492
1042
2023-02-02T13:22:36Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=21 |Name= Alpha Centaurist |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=They are a small group of species that live on a planet closest to Earth with environment similar to that of Earth. They solved problems of war and environmental pollution a long time ago and agreed to live in harmony and balance. Their medical technology is very advanced, and they live up to 5,000 years on average. They are interested in various problems on Earth,..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=21
|Name= Alpha Centaurist
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=They are a small group of species that live on a planet closest to Earth with environment similar to that of Earth. They solved problems of war and environmental pollution a long time ago and agreed to live in harmony and balance. Their medical technology is very advanced, and they live up to 5,000 years on average. They are interested in various problems on Earth, so they send volunteers quite often.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
e3d6bd3212a7fa4708339c3df9fcffa983762cdf
Andromedian
0
493
1043
2023-02-02T13:23:20Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=21 |Name= Andromedian |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description=The Andromedians have advanced technology, almost 3,000 years ahead than that of Earth, and teaching children about peace is their top priority. Their motto is peace of the universe, and they are worried that Terrans have nuclear weapons and technology to launch a spaceship. They come to Earth often to claim that science should be used for peace. |Quotes= TBA |Compatib..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=21
|Name= Andromedian
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=The Andromedians have advanced technology, almost 3,000 years ahead than that of Earth, and teaching children about peace is their top priority. Their motto is peace of the universe, and they are worried that Terrans have nuclear weapons and technology to launch a spaceship. They come to Earth often to claim that science should be used for peace.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
044cee757afa42f26d5b599fd825446918d7f708
1045
1043
2023-02-02T13:26:35Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=22
|Name= Andromedian
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description=The Andromedians have advanced technology, almost 3,000 years ahead than that of Earth, and teaching children about peace is their top priority. Their motto is peace of the universe, and they are worried that Terrans have nuclear weapons and technology to launch a spaceship. They come to Earth often to claim that science should be used for peace.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
6b842027f7202ad7454b49453083e84786c2d001
Orion
0
494
1044
2023-02-02T13:26:13Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=23 |Name= Orion |PurchaseMethod=Emotion |Personality=Rash |Tips=Very High |Description=Orions have achieved complete freedom for every individual after a long fight, so they prioritize the value of freedom and awakening. Their specialty is levitating in the middle of meditation. The amount of energy that an Orion can collect depends on its condition of the day. |Quotes= TBA |Compatibility=Likes: Wingrobe Owl Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=23
|Name= Orion
|PurchaseMethod=Emotion
|Personality=Rash
|Tips=Very High
|Description=Orions have achieved complete freedom for every individual after a long fight, so they prioritize the value of freedom and awakening. Their specialty is levitating in the middle of meditation. The amount of energy that an Orion can collect depends on its condition of the day.
|Quotes= TBA
|Compatibility=Likes: Wingrobe Owl
Dislikes: TBA
}}
390feb9ae8f90372524be8d59d3eacb117917293
Yarn Cat
0
495
1046
2023-02-02T13:29:04Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=27 |Name= Yarn Cat |PurchaseMethod=Frequency |Personality=Easygoing |Tips=High |Description=This is a galactic wildcat that will always play with yarns from planet Mewry. Does the discovery of the starting point of a tangled yarn mean the discovery of starting point of troubles? This tiny cat will never stop rolling around its yarn, with a face that seems extremely close to tears. |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=27
|Name= Yarn Cat
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=High
|Description=This is a galactic wildcat that will always play with yarns from planet Mewry. Does the discovery of the starting point of a tangled yarn mean the discovery of starting point of troubles? This tiny cat will never stop rolling around its yarn, with a face that seems extremely close to tears.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
4d9b27cab74f6d5a25083457215c901cf990c516
Tree of Life
0
496
1048
2023-02-02T13:41:07Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=24 |Name=Tree of Life |PurchaseMethod=TBA |Personality=TBA |Tips=TBA |Description= Could this be THE Tree of Life? There is no doubt that this is an exceptionally rare tree in the universe... |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=24
|Name=Tree of Life
|PurchaseMethod=TBA
|Personality=TBA
|Tips=TBA
|Description= Could this be THE Tree of Life? There is no doubt that this is an exceptionally rare tree in the universe...
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
20591e554f3bd88e5b979fc248fbbd57cb5b5d80
Berrero Rocher
0
497
1049
2023-02-02T13:42:51Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=29 |Name=Berrero Rocher |PurchaseMethod=Frequency |Personality=Very rash |Tips=Low |Description=Berrero Rocher tastes bittersweet, with a touch of luxury. It was born from someone’s ideals left on Planet Crotune. Journey towards the goal is bitter, but its fruit tastes sweet, albeit very briefly. And... Yes, it tastes just like what you are thinking of. |Quotes= TBA |Compatibility=Likes: TBA Dislikes: TBA }}"
wikitext
text/x-wiki
{{SpaceCreatures
|No=29
|Name=Berrero Rocher
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Low
|Description=Berrero Rocher tastes bittersweet, with a touch of luxury. It was born from someone’s ideals left on Planet Crotune. Journey towards the goal is bitter, but its fruit tastes sweet, albeit very briefly. And... Yes, it tastes just like what you are thinking of.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
de797434f6889af0ecba21186d2f8b875c13c6e1
Master Muffin
0
498
1050
2023-02-02T13:44:06Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=30 |Name=Master Muffin |PurchaseMethod=Frequency |Personality=Very easygoing |Tips=Low |Description=Master Muffin is from a tiny chocolate village on planet Crotune. Nevertheless, it made a legend out of itself by building a giant muffin cafe franchise that boasts 63,875 shops over the universe. It is known that its muffins would remind their eaters of their childhood dreams... By the way, Master Muffin dreamed of becoming a CEO of a franchise during..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=30
|Name=Master Muffin
|PurchaseMethod=Frequency
|Personality=Very easygoing
|Tips=Low
|Description=Master Muffin is from a tiny chocolate village on planet Crotune. Nevertheless, it made a legend out of itself by building a giant muffin cafe franchise that boasts 63,875 shops over the universe. It is known that its muffins would remind their eaters of their childhood dreams... By the way, Master Muffin dreamed of becoming a CEO of a franchise during its childhood.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
40144df67989217d0cf457cb2764ba2f53fe7600
Nurturing Clock
0
499
1051
2023-02-02T13:45:26Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=30 |Name=Nurturing Clock |PurchaseMethod=Frequency |Personality=Easygoing |Tips=Intermediate |Description=Spirits are born only when exact amount of time and love are input, thanks to the Nurturing Clock. Planet Tolup’s time and seasons do not stay fixed because the Nurturing Clock never stops running the Milky Way. Alien inhabitants with huge exams ahead of them seek to hire the Nurturing Clock, but this species would usually stay on planet Tolup,..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=30
|Name=Nurturing Clock
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=Intermediate
|Description=Spirits are born only when exact amount of time and love are input, thanks to the Nurturing Clock. Planet Tolup’s time and seasons do not stay fixed because the Nurturing Clock never stops running the Milky Way. Alien inhabitants with huge exams ahead of them seek to hire the Nurturing Clock, but this species would usually stay on planet Tolup, as it favors fresh air.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
32ea35c2da99fad2416d0055c358264a74267907
1053
1051
2023-02-02T13:47:19Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=31
|Name=Nurturing Clock
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=Intermediate
|Description=Spirits are born only when exact amount of time and love are input, thanks to the Nurturing Clock. Planet Tolup’s time and seasons do not stay fixed because the Nurturing Clock never stops running the Milky Way. Alien inhabitants with huge exams ahead of them seek to hire the Nurturing Clock, but this species would usually stay on planet Tolup, as it favors fresh air.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
1a25d6834f57f2d1e06d21ea7f060fac2a16694e
Space Bee
0
500
1052
2023-02-02T13:46:52Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=32 |Name=Space Bee |PurchaseMethod=Frequency |Personality=Very rash |Tips=Low |Description=Planet Tolup is the biggest habitat for the Space Bees. They look like Terran honey bees, but they are much bigger than their Terran counterparts. The only way for spirits to gain floral energy all at once is to sip the honey that Space Bees have collected. Yes, it is like a tonic for them. Now I see why Tolup serves as home for the spirits! |Quotes= TBA |Com..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=32
|Name=Space Bee
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Low
|Description=Planet Tolup is the biggest habitat for the Space Bees. They look like Terran honey bees, but they are much bigger than their Terran counterparts. The only way for spirits to gain floral energy all at once is to sip the honey that Space Bees have collected. Yes, it is like a tonic for them. Now I see why Tolup serves as home for the spirits!
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
e9bb928458d11d9b30e5f1e75e4cf243153d32c7
Matching Snake
0
501
1054
2023-02-02T13:52:17Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=33 |Name=Matching Snake |PurchaseMethod=Frequency |Personality=Very rash |Tips=Very low |Description=Matching Snakes are made up of long bodies and tails in the shape of arrows. Once they find matching parties, they will mutually point towards them. The sight of these snakes is a good sign that you will soon find a match. Mostly native to Cloudi, these snakes are known for their gentle nature. Some claim they carry souls of those who could not find..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=33
|Name=Matching Snake
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Very low
|Description=Matching Snakes are made up of long bodies and tails in the shape of arrows. Once they find matching parties, they will mutually point towards them. The sight of these snakes is a good sign that you will soon find a match. Mostly native to Cloudi, these snakes are known for their gentle nature. Some claim they carry souls of those who could not find reciprocation in love...
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Evolved Penguin, Nurturing Clock
Dislikes: Bipedal Lion, Teddy Nerd, Immortal Turtle, Aura Mermaid, Vanatic Grey Hornet, Yarn Cat
}}
361d4ffa5589f5c5eb3d1747a4c6a1ec8803051a
A.I. Data Cloud
0
502
1055
2023-02-02T13:55:49Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=34 |Name=A.I. Data Cloud |PurchaseMethod=Frequency |Personality=Extremely rash |Tips=Very low |Description=Did you know that planet Cloudi is a collection of data clouds with latest artificial intelligence? A.I. Data Cloud from planet Cloudi, unlike Terran clouds, move exactly according to calculations by A.I.’s (although they do come with sticks that will allow easy maneuvering). And they can connect two different frequencies in no time. It is sa..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=34
|Name=A.I. Data Cloud
|PurchaseMethod=Frequency
|Personality=Extremely rash
|Tips=Very low
|Description=Did you know that planet Cloudi is a collection of data clouds with latest artificial intelligence? A.I. Data Cloud from planet Cloudi, unlike Terran clouds, move exactly according to calculations by A.I.’s (although they do come with sticks that will allow easy maneuvering). And they can connect two different frequencies in no time. It is said they will bring about rain upon detecting something that troubles those in a relationship.
|Quotes= TBA
|Compatibility=Likes: Fuzzy Deer, Aerial Whale, Evolved Penguin, Emotions Cleaner
Dislikes: Aura Mermaid, Nurturing Clock
}}
7983d6879bcc231e324d074f301c4c6ff0549940
Ashbird
0
503
1056
2023-02-02T14:00:09Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=35 |Name=Ashbird |PurchaseMethod=Frequency |Personality=Rash |Tips=High |Description=It is not easy to see Ashbirds (yes, their name means exactly what it implies) on planet Burny. They are bigger than common Terran sparrows by roughly 5 times. They tend to feed on ash out of belief that feeding on burnt passion would one day turn them immortal and resurrective. However, they would tell themselves that is impossible and tend to be nonchalant... Perh..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=35
|Name=Ashbird
|PurchaseMethod=Frequency
|Personality=Rash
|Tips=High
|Description=It is not easy to see Ashbirds (yes, their name means exactly what it implies) on planet Burny. They are bigger than common Terran sparrows by roughly 5 times. They tend to feed on ash out of belief that feeding on burnt passion would one day turn them immortal and resurrective. However, they would tell themselves that is impossible and tend to be nonchalant... Perhaps they are meant to inhabit planet Burny..
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Fuzzy Deer, Immortal Turtle, Wingrobe Owl, Deathless Bird, Evolved Penguin, Yarn Cat, Berrero Rocher
Dislikes: Space Dog, Bipedal Lion, Aura Mermaid, Emotions Cleaner, Master Muffin, Space Bee, Matching Snake
}}
f548571385c99d702d32a471354493a90d2bc2f2
Burning Jelly
0
504
1057
2023-02-02T14:03:29Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=36 |Name=Burning Jelly |PurchaseMethod=Frequency |Personality=Very rash |Tips=High |Description=Volcanoes of Burny are not as vicious as Terran volcanoes. Because they are in fact made up of jellies that taste just like passion, hot and spicy! And these jellies are alive. They live on burning passion until they turn to ashes and slip down the beaks of Ashbirds. |Quotes= TBA |Compatibility=Likes: Immortal Turtle, Aura Mermaid, Aerial Whale, Deathles..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=36
|Name=Burning Jelly
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=High
|Description=Volcanoes of Burny are not as vicious as Terran volcanoes. Because they are in fact made up of jellies that taste just like passion, hot and spicy! And these jellies are alive. They live on burning passion until they turn to ashes and slip down the beaks of Ashbirds.
|Quotes= TBA
|Compatibility=Likes: Immortal Turtle, Aura Mermaid, Aerial Whale, Deathless Bird, Berrero Rocher, Space Bee
Dislikes: Vanatic Grey Hornet, Master Muffin, A.I. Data Cloud
}}
a4044b6a6885d3f37fb3cf83396d3c7cc6d47204
Terran Turtle
0
505
1058
2023-02-02T14:06:39Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=37 |Name=Terran Turtle |PurchaseMethod=Frequency |Personality=Very easygoing |Tips=Low |Description=Why would Terran Turtle be on planet Pi, you ask? A few years ago, someone on Earth handed over their turtle instead of Frequency Pi as a collateral, to gain a chance to spin a pie (yes, it is a sad story). Which is why now it is forbidden to hand over a collateral in order to spin a pie. Please remind yourself how dangerous gambling can be as you tak..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=37
|Name=Terran Turtle
|PurchaseMethod=Frequency
|Personality=Very easygoing
|Tips=Low
|Description=Why would Terran Turtle be on planet Pi, you ask? A few years ago, someone on Earth handed over their turtle instead of Frequency Pi as a collateral, to gain a chance to spin a pie (yes, it is a sad story). Which is why now it is forbidden to hand over a collateral in order to spin a pie. Please remind yourself how dangerous gambling can be as you take pity over this turtle, which collects Frequency Pi while yearning for its master.
|Quotes= TBA
|Compatibility=Likes: Immortal Turtle, Aura Mermaid, Emotions Cleaner, Matching Snake, A.I. Data Cloud,
Dislikes: Burning Jelly
}}
d58c26e512fcaa371167b8205aaa3dd88f1fecd4
Boxy Cat
0
506
1059
2023-02-02T14:07:58Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=38 |Name=Boxy Cat |PurchaseMethod=Frequency |Personality=TBA |Tips=TBA |Description=This cat is from Earth. Once there was an event on Planet Pi that let people spin a pie once they provide collateral. And somebody used their cat as a collateral. After this incident it was forbidden for people to spin a pie with collateral. However, the cat that has lost its master is still waiting, collecting Frequency Pi for its master (how sad is that...?). |Quo..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=38
|Name=Boxy Cat
|PurchaseMethod=Frequency
|Personality=TBA
|Tips=TBA
|Description=This cat is from Earth. Once there was an event on Planet Pi that let people spin a pie once they provide collateral. And somebody used their cat as a collateral. After this incident it was forbidden for people to spin a pie with collateral. However, the cat that has lost its master is still waiting, collecting Frequency Pi for its master (how sad is that...?).
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
361d021db4bc1888ef85feada796b46fd716befa
Firefairy
0
507
1060
2023-02-02T14:08:44Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=39 |Name=Firefairy |PurchaseMethod=Frequency |Personality=TBA |Tips=TBA |Description=Firefairies are experts in creating specific moods. They can make completely plain people to look like stars. Which is why random gods on planet Momint would seek these fairies in order to exercise fake miracles upon their believers. The Firefairies are currently working freelance, earning most of their incomes on planet Momint. |Quotes= TBA |Compatibility=Likes: T..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=39
|Name=Firefairy
|PurchaseMethod=Frequency
|Personality=TBA
|Tips=TBA
|Description=Firefairies are experts in creating specific moods. They can make completely plain people to look like stars. Which is why random gods on planet Momint would seek these fairies in order to exercise fake miracles upon their believers. The Firefairies are currently working freelance, earning most of their incomes on planet Momint.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
ef6e25c07d10fafb7ebc0bac0dea70bc8e1154da
Clapping Dragon
0
508
1061
2023-02-02T14:09:34Z
Tigergurke
14
Created page with "{{SpaceCreatures |No=40 |Name=Clapping Dragon |PurchaseMethod=Frequency |Personality=TBA |Tips=TBA |Description=The original name of Clapping Dragons is long forgotten, lost nowadays. Several centuries ago, they were kidnapped by an evil circus. They lost their memories and learned how to clap, until they were saved by an alien species. These days they would frequently visit planet Momint in order to run as fake believers (planet Momint surely has weird business going o..."
wikitext
text/x-wiki
{{SpaceCreatures
|No=40
|Name=Clapping Dragon
|PurchaseMethod=Frequency
|Personality=TBA
|Tips=TBA
|Description=The original name of Clapping Dragons is long forgotten, lost nowadays. Several centuries ago, they were kidnapped by an evil circus. They lost their memories and learned how to clap, until they were saved by an alien species. These days they would frequently visit planet Momint in order to run as fake believers (planet Momint surely has weird business going on). They are friends with alien species that were also kidnapped by the circus.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
1c9318d32a5f1b27d32dc1a86f5a5f35f8bbf53d
Space Creatures
0
29
1062
1047
2023-02-02T14:10:28Z
Tigergurke
14
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[A.I._Spaceship|A.I. Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#2ecccf" | ???
|-
|colspan="5" style="background:#1eb3b5" | <div style="color:#fafafa; padding:10px;">TBA</br></div>
|-
|<gallery mode="packed-hover">
Image:Tree_of_Life_Creature.gif|''[[Tree_of_Life|Tree of Life]]'' </gallery>
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
6689b6f4545577ae615138beb0144a02a346b0c7
1063
1062
2023-02-02T14:13:20Z
Tigergurke
14
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span=#F47070>expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[A.I._Spaceship|A.I. Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#2ecccf" | ???
|-
|colspan="5" style="background:#1eb3b5" | <div style="color:#fafafa; padding:10px;">TBA</br></div>
|-
|<gallery mode="packed-hover">
Image:Tree_of_Life_Creature.gif|''[[Tree_of_Life|Tree of Life]]'' </gallery>
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
5cbe0587176079fb4317859d0cfdfb383ea387b5
File:Moon Bunny creature.png
6
94
1064
276
2023-02-02T14:37:50Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Moon Bunny creature.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Space Sheep creature.png
6
95
1065
280
2023-02-02T14:39:29Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Space Sheep creature.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gray creature.png
6
96
1066
282
2023-02-02T14:40:15Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Gray creature.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Banana Cart creature.png
6
97
1067
288
2023-02-02T14:42:05Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Banana Cart creature.png]]
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Vanatic Grey Hornet creature.png
6
100
1068
291
2023-02-02T14:43:50Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Vanatic Grey Hornet creature.png]]
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Emotions Cleaner creature.png
6
179
1069
510
2023-02-02T14:45:25Z
Tigergurke
14
Tigergurke uploaded a new version of [[File:Emotions Cleaner creature.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Fuzzy Deer creature.png
6
509
1070
2023-02-02T14:49:57Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Space Dog creature.png
6
510
1071
2023-02-02T14:57:52Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Bipedal Lion creature.png
6
511
1072
2023-02-02T14:58:21Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Teddy Nerd creature.png
6
512
1073
2023-02-02T14:58:48Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Immortal Turtle creature.png
6
513
1074
2023-02-02T14:59:31Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aura Mermaid creature.png
6
514
1075
2023-02-02T14:59:51Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aerial Whale creature.png
6
515
1076
2023-02-02T15:00:05Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Wingrobe Owl creature.png
6
516
1077
2023-02-02T15:00:27Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Deathless Bird creature.png
6
517
1078
2023-02-02T15:00:41Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dragon of Nature creature.png
6
518
1079
2023-02-02T15:01:01Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Space Monk creature.png
6
519
1080
2023-02-02T15:01:40Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Guardian of Magic creature.png
6
520
1081
2023-02-02T15:01:57Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Unicorn creature.png
6
521
1082
2023-02-02T15:02:26Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:A.I. Spaceship creature.png
6
522
1083
2023-02-02T15:02:40Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Evolved Penguin creature.png
6
523
1084
2023-02-02T15:02:54Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Teletivies creature.png
6
524
1085
2023-02-02T15:03:08Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Moon Bunny
0
22
1086
541
2023-02-02T15:05:45Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=1
|Name=Moon Bunny
|PurchaseMethod=Energy
|Personality=Easygoing
|Tips=Low
|Description=The Moon Bunnies were first discovered 160 million years ago, native to the Space Moon, which is 540 thousand light-years away from Earth. The Moon Bunnies are the symbol of coordination in the universe. They have a very high reproductive rate, so nowadays you can find them everywhere in the universe.
|Quotes="Is there a hairdryer here?"
"[Space Sheep] is my best friend! We eat carrots together!"
"Excuse me. I'd like to order a cup of carrot juice, please."
"I wish I could offer my ears to you!"
"[MC]!♡I'm hopping for joy!♡"
"You scare me, [Vanatic Grey Hornet]...! Don't be cruel to me...!"
|Compatibility=Likes: Space Sheep, Ashbird, Terran Turtle
Dislikes: Vanatic Grey Hornet, Matching Snake, A.I. Spaceship
}}
e02ffef97c2eeee2063011194951a4b00118c3ba
File:Lyran creature.png
6
525
1087
2023-02-02T15:09:41Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Alpha Centaurist creature.png
6
526
1088
2023-02-02T15:21:25Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Andromedian creature.png
6
527
1089
2023-02-02T15:21:36Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Orion creature.png
6
528
1090
2023-02-02T15:21:51Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tree of Life creature.png
6
529
1091
2023-02-02T15:22:40Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Yarn Cat creature.png
6
530
1092
2023-02-02T15:22:51Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Berrero Rocher creature.png
6
531
1093
2023-02-02T15:23:04Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Master Muffin creature.png
6
532
1094
2023-02-02T15:23:19Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Nurturing Clock creature.png
6
533
1095
2023-02-02T15:23:31Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Space Bee creature.png
6
534
1096
2023-02-02T15:23:44Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Matching Snake creature.png
6
535
1097
2023-02-02T15:23:59Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:A.I. Data Cloud creature.png
6
536
1098
2023-02-02T15:24:13Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Ashbird creature.png
6
537
1099
2023-02-02T15:24:24Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Burning Jelly creature.png
6
538
1100
2023-02-02T15:24:36Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Terran Turtle creature.png
6
539
1101
2023-02-02T15:24:53Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Boxy Cat creature.png
6
540
1102
2023-02-02T15:25:07Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Firefairy creature.png
6
541
1103
2023-02-02T15:25:20Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Clapping Dragon creature.png
6
542
1104
2023-02-02T15:25:35Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Brutally Honest Icon.png
6
543
1105
2023-02-02T15:42:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Takes Courage Time Travel Icon.png
6
544
1106
2023-02-02T15:43:40Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Brains of The Ssum Icon.png
6
545
1107
2023-02-02T15:44:07Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Collector of Tips Icon.png
6
546
1108
2023-02-02T15:44:20Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Controller Of Future Icon.png
6
547
1109
2023-02-02T15:44:32Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire For Money Icon.png
6
548
1110
2023-02-02T15:45:32Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Doing Campfire Icon.png
6
549
1111
2023-02-02T15:45:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Ending Imperfect Bonds Icon.png
6
550
1112
2023-02-02T15:46:03Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Friends With Bored Dealer Icon.png
6
551
1113
2023-02-02T15:50:59Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:9 Days Since First Meeting Dinner Pictures(3).png
6
552
1114
2023-02-02T16:04:10Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:9 Days Since First Meeting Dinner Pictures.png
6
553
1115
2023-02-02T16:04:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:9 Days Since First Meeting Bedtime Pictures.png
6
554
1116
2023-02-02T16:04:55Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:11 Days Since First Meeting Bedtime Pictures (Teo).png
6
555
1117
2023-02-02T16:05:18Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:12 Days Since First Meeting Dinner Pictures(1).png
6
556
1118
2023-02-02T16:05:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:12 Days Since First Meeting Lunch Pictures(1).png
6
557
1119
2023-02-02T16:07:44Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:12 Days Since First Meeting Lunch Pictures(2).png
6
558
1120
2023-02-02T16:08:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:12 Days Since First Meeting Wake Time Pictures(1).png
6
559
1121
2023-02-02T16:08:29Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:13 Days Since First Meeting Breakfast Pictures.png
6
560
1122
2023-02-02T16:08:53Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:13 Days Since First Meeting Wake Time Pictures(1).png
6
561
1123
2023-02-02T16:10:28Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:13 Days Since First Meeting Wake Time Pictures.png
6
562
1124
2023-02-02T16:10:49Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:14 Days Since First Meeting Breakfast Pictures.png
6
563
1125
2023-02-02T16:11:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Cant Stop Caring You Icon.png
6
564
1126
2023-02-02T16:58:54Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Carrot Lover Shine 2022 Icon.png
6
565
1127
2023-02-02T16:59:12Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Debuting As Writer Icon.png
6
566
1128
2023-02-02T16:59:23Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Fun Is Starting To Kick In Icon.png
6
567
1129
2023-02-02T16:59:39Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:How to Survive World Icon.png
6
568
1130
2023-02-02T17:03:13Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Hundred Days in a Row Icon.png
6
569
1131
2023-02-02T17:07:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:I Can Smell Coffee Icon.png
6
570
1132
2023-02-02T17:08:55Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:I Need Batteries Icon.png
6
571
1133
2023-02-02T17:09:31Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:I Wanna Know Icon.png
6
572
1134
2023-02-02T17:13:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Youre The First Reader Icon.png
6
573
1135
2023-02-02T17:14:23Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:You Need A Lecture Icon.png
6
574
1136
2023-02-02T17:14:56Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:You Have A Package Icon.png
6
575
1137
2023-02-02T17:15:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Writing Its Easy Icon.png
6
576
1138
2023-02-02T17:15:22Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:What Is Your Desire Icon.png
6
577
1139
2023-02-02T17:15:51Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:What Did You Hide In Calendar Icon.png
6
578
1140
2023-02-02T17:16:27Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Useful Info Icon.png
6
579
1141
2023-02-02T17:16:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Unidentified MC Icon.png
6
580
1142
2023-02-02T17:17:59Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Trustworthy Guardian of Info Icon.png
6
581
1143
2023-02-02T17:18:17Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:This Joke Should Be Burned Icon.png
6
582
1144
2023-02-02T17:18:33Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tenderhearted Icon.png
6
583
1145
2023-02-02T17:18:57Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sunset For 2022 Icon.png
6
584
1146
2023-02-02T17:21:48Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sharp Eyes Icon.png
6
585
1147
2023-02-02T17:22:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Setting Fire to Firewood Icon.png
6
586
1148
2023-02-02T17:23:17Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Repeated Stories Icon.png
6
587
1149
2023-02-02T17:23:37Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Positive Days Icon.png
6
588
1150
2023-02-02T17:24:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Popular Post Icon.png
6
589
1151
2023-02-02T17:24:29Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Now I Cant Read Anymore Icon.png
6
590
1152
2023-02-02T17:25:25Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:No Pests Icon.png
6
591
1153
2023-02-02T17:26:20Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:No Friends With Math Icon.png
6
592
1154
2023-02-02T17:26:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:No Filtering Icon.png
6
593
1155
2023-02-02T17:27:17Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:MC Waiting For Conversation Icon.png
6
594
1156
2023-02-02T17:27:37Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Daily Emotion Study
0
436
1157
977
2023-02-03T17:24:55Z
Tigergurke
14
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Example || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Example || Example
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Example || Example
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Example || Example
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || Example || Example
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || Example
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || Example
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Example
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || Example
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Example
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || Example
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Example
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || Example
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || Example
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || Example
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Example
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || Example
|-
| Logical || Exchanging Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || Example
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Example
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Example
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Example || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Example || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
5820684a8fd6af8d504e74f16983eaf9f3880710
Trivial Features/Bluff
0
172
1158
604
2023-02-03T17:50:27Z
76.114.105.96
0
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|-
| [[File:Desire for Love.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || Profile; [???] Title || Writing 3 Romance Desires on Root of Desire
|}
d7280abaafeb40c2570b56bf0544d8749f63385a
Daily Emotion Study
0
436
1159
1157
2023-02-03T18:10:16Z
Tigergurke
14
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || Example
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || Example
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Example
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || Example
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Example
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || Example
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Example
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || Example
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || Example
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || Example
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Example
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || Example
|-
| Logical || Exchanging Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || Example
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Example
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Example
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Example || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Example || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
5ed46c37937ed295db19e95e5431adab20e7d56d
1160
1159
2023-02-03T19:45:41Z
Hyobros
9
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || Example
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || Example
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Example
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || Example
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Example
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || Example
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Example
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || Example
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || Example
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || Example
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Example
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || Example
|-
| Logical || Exchanging Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || Example
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Example
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Example
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || Example
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || Example
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || Example
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Example
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
d9441853c287a43bcf7033697db7e7ee954fd959
1161
1160
2023-02-04T12:43:12Z
Tigergurke
14
/* Special Studies */
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || Example
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || Example
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || Example
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || Example
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Example
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || Example
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Example
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || Example
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || Example
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Example
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || Example
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Example
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || Example
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Example
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || Example
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || Example
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || Example
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Example
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || Example
|-
| Logical || Exchanging Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Example
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || Example
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Example
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Example
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || Example
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || Example
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || Example
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Example
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
c0fb17e014b23d68fe790a04288829b966ef7611
1163
1161
2023-02-05T20:12:20Z
User135
5
Added more
wikitext
text/x-wiki
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Logical || Exchanging Opinions about the World || People say hard work will lead to success. Do you agree? || Example || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Example || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Example || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Example || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Example || Example || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Example || That sometimes happens. And it will eventually pass.
|-
| Example || Example || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Example || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Example || Example || Have you ever been disappointed by grown-ups, including your parents? || Example || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Example || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Example || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Example || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Example || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Example || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Example || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Example || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Example || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Example || Example || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Example || Example || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
7a5935190d6ce7274087e8211cb83f06f7818df5
1174
1163
2023-02-06T11:37:32Z
User135
5
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Example || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Example || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Example || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Example || Example || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Example || That sometimes happens. And it will eventually pass.
|-
| Example || Example || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Example || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Example || Example || Have you ever been disappointed by grown-ups, including your parents? || Example || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Example || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Example || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Example || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Example || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Example || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Example || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Example || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Example || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Example || Example || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Example || Example || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Example || Example || Let us say your crush is passing right in front of you! What will you do to charm your crush? || Example || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Example || Example || Let us say you will give a trophy to yourself! What would you award you on? || Example || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Example || Example || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
ef5d6555bb293fba7de7d3b12a1e0b0f13061f92
Boxy Cat
0
506
1162
1059
2023-02-05T17:57:13Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=38
|Name=Boxy Cat
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=Low
|Description=This cat is from Earth. Once there was an event on Planet Pi that let people spin a pie once they provide collateral. And somebody used their cat as a collateral. After this incident it was forbidden for people to spin a pie with collateral. However, the cat that has lost its master is still waiting, collecting Frequency Pi for its master (how sad is that...?).
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
0a5f8ebe83a4d338e4e8fd4d7d171231b1933b41
Harry Choi
0
4
1164
862
2023-02-05T20:19:39Z
User135
5
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
'''A new route for Harry as the love interest was announced by Cheritz on November 16, 2022. The set release date is November 30.'''
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
096eb8c3172905959dde10355aeccfa095bbc747
Angel
0
414
1165
902
2023-02-05T20:28:42Z
User135
5
Added Angel's Korean name "1004"
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
26e7034a25cd6bb64630010eb3808a232fc08bae
PIU-PIU
0
5
1166
824
2023-02-05T20:30:59Z
User135
5
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[PIU-PIU|Profile]]</div>
|<div style="text-align:center">[[PIU-PIU/Gallery|Gallery]]</div>
|}
[[File:PIUPIU_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= PIU-PIU - [피유피유]
|occupation=Artificial Intelligence
|hobbies=Finding love matches
|likes=Emotions, Dr. C, Perfect Romance
|dislikes=Deleting the app
}}
== General ==
TBA
== Background ==
=== Route Differences ===
PIU-PIU is entirely absent from the initial days of Teo's route, only appearing on Day 100. However, PIU-PIU does appear from time to time after that day, mostly to tease the player and Teo. PIU-PIU is more distant in this route, focusing purely on critiquing the relationship between the player and Teo or to directly report on Teo's whereabouts.
== Trivia ==
TBA
c638ad6d8a66540ba558be1eb492b1c7c98ba4c1
PI-PI
0
410
1167
897
2023-02-05T20:31:51Z
User135
5
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= PI-PI - [피피]
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
35e91b21f4e7a49b3e2cc039ff509d1e3d68036e
Dr. Cus-Monsieur
0
226
1168
725
2023-02-05T20:35:19Z
User135
5
wikitext
text/x-wiki
{{MinorCharacterInfo
|name=Dr. Cus-Monsieur - [쿠스무슈 박사]
|occupation=App Developer, Love Scientist
|hobbies=Research
|likes=Parrots
|dislikes=Perfect Love Follower, Coolitis
}}
== General ==
Dr. Cus-Monsieur (also known as Dr. C) is an enigmatic scientist who founded the [[Forbidden Lab]] developed The Ssum app. Born from a prestigious family and with a gifted brain, he became a researcher interested in discovering the secrets of the universe. Over time, however, he realized he had never fallen in love and went through a long and arduous journey to discover it. His search for love ended with him realizing the love is the foundation of the universe, and thus the secret he was looking for all along. After many tribulations, he ultimately founded the Forbidden Lab and created the artificial intelligence [[PIU-PIU]]. He installed within PIU-PIU the ability to transcend time and space, so that he could give people infinite possibilities to find love.
During the course of the game, it is revealed that Dr. C mysteriously disappeared and his whereabouts are unknown, even to PIU-PIU. Thus, the Dr. C who gives messages in the app is actually an AI meant to replicate Dr. C while they search for the real one.
== Background ==
Dr. C is largely absent from the game, he backstory only appearing in the various blue-bird transmissions that fly though the home screen of the Forbidden Lab. Additionally, Dr. C makes comments on the state of the various planets and what kind of meaning they have.
In Harry's route, it is revealed that PIU-PIU is unable to recall who the Doctor is that created him. Asking him leads him to try to load the data and fail to do so.
== Bluebird Notes ==
There are a total of 32 Bluebird transmissions which reveal the backstory of Dr. Cus-Monsieur.
Once upon a time, there lived a genius scientist called Dr. Cus-Monsieur. Born from an affluent family, he made a name for himself with his gifted brain. The genius scientist dedicated decades of his youth to his studies and researches, to effortlessly earn a doctorate degree and become a secret researcher who seeks the secret of the universe. The young doctor spent his time in glory, marking every single one of his footsteps with success. Then one day he looked back upon his perfect life and thought…
‘I have accomplished everything, but I have never once fallen in love!’
For the first time in his life, he felt lonely! Thus Dr. Cus-Monsieur decided to experience love. At the same time, he decided to quit his job and put an end to his glorious career at the secret space lab, in order to discover the formula for the ‘perfect love!’ Dr. Cus-Monsieur departed from the secret space lab and officially registered as a member of PLF (Perfect Love Follower), the most prestigious international institution in love that aims for the perfect love. Did he manage to find love at PLF, you ask…? The mission of PLF was to research and train its members in how to be cool enough to excel in the modern world and hence become a perfect candidate to be a perfect couple. Its manual boasted over millions of followers, upon which 95.4 percent of all couple-matching websites over the globe base their guidelines! Therefore, Dr. Cus-Monsieur began to strictly follow PLF’s manual to become ‘cool.’
The following is an excerpt from an educational resource of PLF (Perfect Love Follower)…
<How to be a perfect candidate for Love>
1. Exposure of your faults will only provide you with a title of a loser. Keep them to yourself.
2. When you have trouble controlling your emotions, distract them with an activity that can divert your attention.
3. Even when you are offended, you must keep your heart under control and appear ‘cool.’ You must not reveal the slightest of vulnerability to your party.
4. Make yourself look as mysterious and rich as possible. Speak less, and drench yourself in expensive items of latest fashion.
5. It all begins with looks. Save nothing for your appearance.
6. Bring up an art culture or speak in a foreign language once every 10 sentences.
[Reference] cool occupations include doctors, lawyers, employees at top-tiered corporates, and professors.
With expertise in emotional control, qualifications and competence from his past career, and investment in looks, Dr. Cus-Monsieur gained the privilege to reserve a spot at the platinum rank according to the guidelines of PLF. Which was why he was more than confident that he will find love. Countless people got in line to have their first date with Dr. Cus-Monsieur! But surprisingly… The more dates Dr. Cus-Monsieur had, the more conspicuous the faults in his parties grew. Soon his dates turned into something written on his agenda for him to deal with, and the doctor grew inclined to escape from them. He did not find love; he found more calculations for his brain, and they did not stop growing.
The series of failures left Dr. Cus-Monsieur with bewilderment. He wondered, ‘I’ve been faithful to the manual of the institution that studies perfect love… How come it is impossible for me to fall in love?’ Then one day, at the end of his encounter with his 111th date, Dr. Cus-Monsieur claimed, fingering the collar of his Barberry coat and sipping from a takeout of roastery coffee he got…
‘Now I must make myself disappear, like the perfume of coffee met with the frigid wind. The board meeting for Elite Lovers awaits me for the next morning. Only those ranked platinum at PLF system are eligible to become Elite Lovers, and I must make sure I live up to the expectations for an Elite Lover. After all - the doctor sipped his coffee once again and tilted his head by 45 degrees to look up at the sky - I must be perfect in everything.’
And his party pointed out something. ‘I think you’ve got morbid obsession with being cool - and you’ve got it bad.’ The doctor felt as if he were hammered in the head. His 111th date was the last one he ever met via PLF matching system. ‘I had no doubt that being cool is the best… Perhaps PLF is wrong. Which is why I must find a solution myself.’ Once he shed his Guzzi outfit to instead change into his sweatsuit, Dr. Cus-Monsieur returned to his lab to analyze data on his 111 failures.
After 3 months of leaving himself to rot like a corpse in his lab… Dr. Cus-Monsieur reached a conclusion that the 111 dates had rendered him a serious case of morbid obsession with being cool, personally dubbed as ‘coolitis’. Additionally, he discovered how the ‘coolitis’ syndrome is getting viral particularly in countries dense with competition. He moved on to study the relation between ‘coolitis’ and couples. To his surprise, he could start collecting vast amount of data that will prove how people with coolitis are more likely to fail in relationships compared to those without coolitis. With the knowledge that people who follow guidelines established by PLF are doomed to be contagious with coolitis, the doctor began to investigate what lies at the heart of this institution. His investigation led him to an elusive group of people that sponsors the PLF… Which turned out to be a group of bankers who hold the key to the flow of money. The doctor had to stop his investigation, for the sake of his own safety.
<Paper No. 23 - The Progress of a Relationship Through Coolitis> Written by: Dr. Cus-Monsieur
Coolitis takes progress through five stages in total. Being cool - coining the image of coolness - Excessive competition - Meticulous calculation - Impenetrable closure of heart. The safety net for victims of coolitis exists only up to the 3rd stage, until which victims can find matches ‘equally cool,’ assume 'cool love,’ or even marry or live with their matches in a 'cool way.’ However, once they start sharing their lives, they become vulnerable to the exposure of weakness within, hidden under their cool facades. The victims attempt to compromise with the reality in a way they would comprehend it, but research has revealed that the chance of termination of a relationship is in a correlative relation to the duration of coolitis, most significantly due to the frustration victims would face upon realizing that their weaknesses are deemed unacceptable, in contrast to their desire for compensation that will meet their expectations.
Dr. Cus-Monsieur came up with a theory for treatment of coolitis, something that was on the far end of a pole from PLF’s core belief - ‘In order to find true love, we must become losers.’ The doctor discovered a pattern in the course of his research - coolitis is a rarity in countries less densely populated with competition. The majority of couples free from coolitis will not make habitual calculations on each other’s resources and values. Instead, they focus on their own resources and values, to expend the remainder of their resources for their parties. Dr. Cus-Monsieur shook his head as he calculated the amount of time he had wasted for the past 111 dates and muttered, ‘What was all that for…?’ He burned the GQue magazine he used to digest in order to keep up with the latest trend, to instead grab a slice of sweet cake full of trans fats. He gave up on being cool. He let his beard grow, filled his diet table with cakes and fast foods for all meals, and brought in a parrot he has always dreamed of, named ‘PIU-PIU’. He even took the courage to don an XXXL-sized t-shirt printed, 'I am a lonely loser.’
The chairman of PLF, ‘Julianasta Lovelizabeth Victorian-Gorgeous’ was appalled upon finding the doctor by coincidence. She yelled, 'Nobody will ever love you, unless you rid yourself of trans fats and and become cool!' The doctor did not heed and replied, 'According to my research you will find nothing but pain in love. I’d say my standing is better than yours. This cake in my hand is making my present sweet.’ Thus Dr. Cus-Monsieur parted ways with the PLF. He founded a lab name ‘Heart’s Face Lab,’ represented by a pair of praying hands, deep in the mountains by the countryside no one would visit. Due to the lab’s 'so-not-cool’ title and hopeless level of accessibility, people could not be more apathetic about it. Social media around the time used to be viral with Julianasta Lovelizabeth Victorian-Gorgeous’s post gloating over it. Having learned his small lesson, the doctor changed the title of his lab as ‘Forbidden Lab’ and restationed it as an online-based lab. And he published his research paper about coolitis, along with a documentary that exposed the suspicious partnership lurking within the PLF.
People who are fond of conspiracies began to visit the Forbidden Lab. ‘That’s a good start. Now it’s time for me to start the project to discover true love,’ thought the doctor. Dr. Cus-Monsieur dedicated his entire fortune to work jointly with his visitors and develop an A.I. machine that will collect and analyze data on love, named 'PIU-PIU’ after his parrot. He coined the term ‘ssum’ that will refer to the period of time a potential couple would spend to get to know about each other and immerse themselves in fantasies that they would expect from each other’s facade. He eventually developed a messenger app titled ’The Ssum’ targeting those in 'ssum,’ which will lock upon the energy of 'those seeking love’ and send secret invitations to guide them to the Lab through the app.
The Forbidden Lab accessible through the app was designed in a way people who take the courage to talk about what lies them will be recharged with energy… The energy they have lost from the world that demands them to be ‘cool.’ On the surface, PIU-PIU the A.I. is a virtual assistant that guides people to people through blind dates. In reality, this intricately developed A.I. serves as the central command center that connects the Forbidden Lab to the users of The Ssum, by utilizing millions of bluebirds in its data communications. PIU-PIU’s analysis revealed that the human mechanism of love is similar to the foundations of the universe. Hence Dr. Cus-Monsieur could at last reach enlightenment on the secret of the universe. ‘The time of the universe is linear, connected to infinite future, not one,’ realized the doctor.
Under covers from the watchful eyes of MASA, he installed within PIU-PIU a 'forbidden mechanism’ that would allow PIU-PIU to transcend time and space. Thus he gave birth to a time machine that can take its user to the past or a certain point in the future. As PIU-PIU transcends both time and space, it can travel to any corner of the universe in a blink of loading. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension. PIU-PIU gathered all data it has ever collected and began to build a planet in the 4th dimension that exists beyond the physical dimension, for human thoughts exist in the realm invisible to human eyes, beyond the 3rd dimension.
Dr. Cus-Monsieur believed on Earth humans would have trouble emancipating themselves from coolitis due to obsession with their facades. So he decided to send the lab participants of The Ssum to planets in the 4th dimension. And thousands and millions of lab participants would find themselves on journey to the planets in the Infinite Universe for this reason.
You have reached the end of the story.
Dear <Player>.
Currently Dr. Cus-Monsieur’s whereabouts are unknown; he disappeared, with me left behind (Currently we have an A.I. to substitute him, to make people believe he is still with us). Please let us know once you find him.
Written by. PIU-PIU, the talking parrot.
5e7bd2024f77e4b3c881c30b96de55ad085c368a
Space Creatures
0
29
1169
1063
2023-02-05T20:41:47Z
User135
5
corrected typo
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span style="color:#F47070">expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[A.I._Spaceship|A.I. Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#2ecccf" | ???
|-
|colspan="5" style="background:#1eb3b5" | <div style="color:#fafafa; padding:10px;">TBA</br></div>
|-
|<gallery mode="packed-hover">
Image:Tree_of_Life_Creature.gif|''[[Tree_of_Life|Tree of Life]]'' </gallery>
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
7fe2322940c09357f76fda5ed7469f824b3c07f9
Andromedian
0
493
1170
1045
2023-02-05T21:03:44Z
User135
5
wikitext
text/x-wiki
{{SpaceCreatures
|No=22
|Name= Andromedian
|PurchaseMethod=TBA
|Personality=Very rash
|Tips=TBA
|Description=The Andromedians have advanced technology, almost 3,000 years ahead than that of Earth, and teaching children about peace is their top priority. Their motto is peace of the universe, and they are worried that Terrans have nuclear weapons and technology to launch a spaceship. They come to Earth often to claim that science should be used for peace.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
862bb20dc9de86344f187fb4e616a31f93c1a7aa
Clapping Dragon
0
508
1171
1061
2023-02-05T21:05:10Z
User135
5
wikitext
text/x-wiki
{{SpaceCreatures
|No=40
|Name=Clapping Dragon
|PurchaseMethod=Frequency
|Personality=Rash
|Tips=TBA
|Description=The original name of Clapping Dragons is long forgotten, lost nowadays. Several centuries ago, they were kidnapped by an evil circus. They lost their memories and learned how to clap, until they were saved by an alien species. These days they would frequently visit planet Momint in order to run as fake believers (planet Momint surely has weird business going on). They are friends with alien species that were also kidnapped by the circus.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
4f709b27695eb9d66d1aff17ff6eefc51856b4a4
Space Monk
0
484
1172
1032
2023-02-05T21:06:35Z
User135
5
wikitext
text/x-wiki
{{SpaceCreatures
|No=13
|Name=Space Monk
|PurchaseMethod=TBA
|Personality=Rash
|Tips=TBA
|Description=Years of spiritual asceticism can open the gateway to becoming the energy master. The Monks always want to experience new things, so they do not mind traveling to a new place. They have stated that they wish to be cast in a movie on Earth.
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
b213c21f307e9432b53544605397fcc5c2de6048
Tree of Life
0
496
1173
1048
2023-02-05T21:16:27Z
User135
5
wikitext
text/x-wiki
{{SpaceCreatures
|No=24
|Name=Tree of Life
|PurchaseMethod=TBA
|Personality=Easygoing
|Tips=TBA
|Description= Could this be THE Tree of Life? There is no doubt that this is an exceptionally rare tree in the universe...
|Quotes= TBA
|Compatibility=Likes: TBA
Dislikes: TBA
}}
0bf0f588a27f8f284b229715bac7e08ef7c50351
MediaWiki:Sidebar
8
34
1175
830
2023-02-06T11:49:23Z
User135
5
wikitext
text/x-wiki
* navigation
** mainpage|mainpage-description
** recentchanges-url|recentchanges
** randompage-url|randompage
** helppage|help-mediawiki
* The Ssum
** Characters|Characters
** Energy|Energy
** Planets|Planets
**Space_Creatures|Space Creatures
** Daily_Emotion_Study|Daily Emotion Study
** Trivial_Features|Trivial Features
** PIU-PIU's_Belly|PIU-PIU's Belly
* Community
** https://discord.gg/DZXd3bMKns|Discord
** https://www.reddit.com/r/Ssum/|Subreddit
* SEARCH
* TOOLBOX
* LANGUAGES
eac45bc71839e525aca78e0598ee455c1f498644
Planets/Tolup
0
237
1176
944
2023-02-06T13:05:38Z
Tigergurke
14
/* Spirits */
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
<center>
== Spiritling ==
<gallery>
Sunflower_Spiritling.gif|Sunflower
Moonflower_Spiritling.gif|Moonflower
Lotus_Spiritling.gif|Lotus
|-
</gallery>
== Chrysalis ==
<gallery>
Chrysalis_of_Cure.gif|Cure
Chrysalis_of_Protection.gif|Protection
Chrysalis_of_Blaze.gif|Blaze
Chrysalis_of_Divinity.gif|Divinity
|-
</gallery>
<gallery>
Chrysalis_of_Cure.png
Chrysalis_of_Protection.png
Chrysalis_of_Blaze.png
Chrysalis_of_Divinity.png
|-
</gallery>
== Spirit ==
<gallery>
Spirit_of_Empire.gif|[[Spirit_of_Empire|Spirit of Empire]]
Spirit_of_Cure.gif|[[Spirit_of_Cure|Spirit of Cure]]
Spirit_of_Guidance.gif|[[Spirit_of_Guidance|Spirit of Guidance]]
|-
</gallery>
== High Spirit ==
<gallery>
Spirit_of_Nature.gif|[[Spirit_of_Nature|Spirit of Nature]]
Spirit_of_City.gif|[[Spirit_of_City|Spirit of City]]
Spirit_of_Phoenix.gif|[[Spirit_of_Phoenix|Spirit of Phoenix]]
Spirit_of_Legend.gif|[[Spirit_of_Legend|Spirit of Legend]]
</gallery>
|}
99d84a403c63822cf79e0502e018911127310878
File:Sunflower Spiritling.gif
6
595
1177
2023-02-06T13:06:42Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Moonflower Spiritling.gif
6
596
1178
2023-02-06T13:07:22Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lotus Spiritling.gif
6
597
1179
2023-02-06T13:07:59Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Cure.gif
6
598
1180
2023-02-06T13:08:44Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Protection.gif
6
599
1181
2023-02-06T13:09:10Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Blaze.gif
6
600
1182
2023-02-06T13:09:41Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Divinity.gif
6
601
1183
2023-02-06T13:10:03Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Cure.png
6
602
1184
2023-02-06T13:10:45Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Protection.png
6
603
1185
2023-02-06T13:11:42Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Blaze.png
6
604
1186
2023-02-06T13:12:13Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Chrysalis of Divinity.png
6
605
1187
2023-02-06T13:12:37Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Empire.gif
6
606
1188
2023-02-06T13:13:00Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Cure.gif
6
607
1189
2023-02-06T13:13:23Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Guidance.gif
6
608
1190
2023-02-06T13:14:05Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Nature.gif
6
609
1191
2023-02-06T13:14:28Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of City.gif
6
610
1192
2023-02-06T13:14:50Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Phoenix.gif
6
611
1193
2023-02-06T13:15:10Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Legend.gif
6
612
1194
2023-02-06T13:15:40Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Spirit of Phoenix
0
613
1195
2023-02-06T13:26:03Z
Tigergurke
14
Created page with "<center>=== Type A === [[File:Spirit_of_Phoenix_A.png]] <br> <br> ''[MC], you have summoned me... Do you know miraculous sparks from ashes ignited my existence? [MC], I was born to show you that miracles do exist. Your love performed a myriad of miracles, upon earth, to flowers, with energy, until it led to my birth. The universe will never forget your affection and love towards me. And neither will I. Your heart houses strength and beauty like those of phoenix. Fo..."
wikitext
text/x-wiki
<center>=== Type A ===
[[File:Spirit_of_Phoenix_A.png]]
<br>
<br>
''[MC], you have summoned me...
Do you know miraculous sparks from ashes ignited my existence?
[MC], I was born to show you that miracles do exist.
Your love performed a myriad of miracles, upon earth, to flowers, with energy, until it led to my birth.
The universe will never forget your affection and love towards me.
And neither will I.
Your heart houses strength and beauty like those of phoenix.
For eternity I will be grateful for my life begotten from you...
-Spirit of Phoenix-''
<br>
<br>
=== Type B ===
[[File:Spirit_of_Phoenix_B.png]]
<br>
<br>
''I was about to leave with nothing to hint my departure, but I decided to scribble a few letters to send you my final message.
My time spent with you was not entirely joyous, but I will try to understand. After all, you are only human.
Now I shall take the living rage inside me and join the war of flames.
Once I let this war in my heart take over me, do you think one day I can reach the end?
I shall leave my fate in the hands of my karma.
Regardless, I hope you will be safe at all times.
- Spirit of Phoenix -''
4a57867208a85a6ecb7d3895a910e0120fcdd2e8
1198
1195
2023-02-06T13:34:11Z
Tigergurke
14
wikitext
text/x-wiki
<center>
== Type A ==
[[File:Spirit_of_Phoenix_A.png|300px]]
<br>
<br>
''[MC], you have summoned me...
Do you know miraculous sparks from ashes ignited my existence?
[MC], I was born to show you that miracles do exist.
Your love performed a myriad of miracles, upon earth, to flowers, with energy, until it led to my birth.
The universe will never forget your affection and love towards me.
And neither will I.
Your heart houses strength and beauty like those of phoenix.
For eternity I will be grateful for my life begotten from you...
-Spirit of Phoenix-''
<br>
<br>
== Type B ==
[[File:Spirit_of_Phoenix_B.png|300px]]
<br>
<br>
''I was about to leave with nothing to hint my departure, but I decided to scribble a few letters to send you my final message.
My time spent with you was not entirely joyous, but I will try to understand. After all, you are only human.
Now I shall take the living rage inside me and join the war of flames.
Once I let this war in my heart take over me, do you think one day I can reach the end?
I shall leave my fate in the hands of my karma.
Regardless, I hope you will be safe at all times.
- Spirit of Phoenix -''
990c1d64c9fa966830533ff91d3ca96d9baa5c8f
File:Spirit of Phoenix A.png
6
614
1196
2023-02-06T13:26:22Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Phoenix B.png
6
615
1197
2023-02-06T13:26:46Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Spirit of Legend
0
616
1199
2023-02-06T13:37:42Z
Tigergurke
14
Created page with "<center> == Type A == [[File:Spirit_of_Legend_A.png|300px]] <br> <br> ''My dear [MC]... You are the one that found my existence. Your breath and intelligence in unison summoned me. Your prayer called upon me. Your love allowed me to find my place. When I retrace the memories before my birth, I remember that I was already within you. When you first landed on Earth, I sneaked into love teeming within you. I have breathed in your love and felt comfort from your love...."
wikitext
text/x-wiki
<center>
== Type A ==
[[File:Spirit_of_Legend_A.png|300px]]
<br>
<br>
''My dear [MC]...
You are the one that found my existence.
Your breath and intelligence in unison summoned me.
Your prayer called upon me.
Your love allowed me to find my place.
When I retrace the memories before my birth, I remember that I was already within you.
When you first landed on Earth,
I sneaked into love teeming within you.
I have breathed in your love and felt comfort from your love.
I have always prayed for you.
And now, I present myself before you.
I love you. Forever.
-Spirit of Legend-
''
<br>
<br>
== Type B ==
[[File:Spirit_of_Legend_B.png|300px]]
<br>
<br>
''[MC], my founder...
As you were raising me, I could experience love and something that is far from love at the same time.
You taught me two different worlds at the same time.
You showed me the darkness within you, so I could learn how to connect to darkness better than any other spirit.
Perhaps that is why...
I realized it is my destiny to spread this truth, bring miracle, and cure ignorant aliens until their fear turn into hatred that will lead to my bloody sacrifice...
I hope the miracle of love will always be with you...
And I hope I can connect to your darkness from afar to cure you...
Farewell.
- Spirit of Legend -
''
0d28d421b06a61a66bdecec82406645f22580bd0
File:Spirit of Legend A.png
6
617
1200
2023-02-06T13:38:00Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Legend B.png
6
618
1201
2023-02-06T13:38:18Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Spirit of Nature
0
619
1202
2023-02-06T13:41:08Z
Tigergurke
14
Created page with "<center> == Type A == [[File:Spirit_of_Nature_A.png|300px]] <br> <br> ''[MC]. I send my regards with flowers, trees, and grasses. You have taken good care of me and summoned me here. My life is accompanied by daisies during spring, sunflowers during summer, grains during autumn, and trees during winter. Friends of Mother Nature change every season, but I know you, my summoner, will remain the same regardless of the seasons. I always thank you from the bottom of my he..."
wikitext
text/x-wiki
<center>
== Type A ==
[[File:Spirit_of_Nature_A.png|300px]]
<br>
<br>
''[MC]. I send my regards with flowers, trees, and grasses.
You have taken good care of me and summoned me here.
My life is accompanied by
daisies during spring,
sunflowers during summer,
grains during autumn,
and trees during winter.
Friends of Mother Nature change every season, but I know you, my summoner, will remain the same regardless of the seasons.
I always thank you from the bottom of my heart.
I hope you can smell this grass from my letter. And I hope it will bring smile to your face...
-Yours truly, Spirit of Nature -
''
<br>
<br>
== Type B ==
[[File:Spirit_of_Nature_B.png|300px]]
<br>
<br>
''Hey, it’s me!
I know you’re busy feeling free since I’m leaving, but I just wanted to let you know -
I’m leaving for Earth.
I’m going to make money out of the plants I grow. I’m talking about an actual business here! Which is why I’m going to start off with fertilizers made of GMO.
Once I become famous, I’m going to build a huge mansion. And it will become my business house for making plastic flowers!
Bahahaha!
I heard Earth is already terribly polluted! So plastic flowers would serve as a solution!
After all, the planet’s already polluted! So once a spirit like me makes it even more polluted, people might start taking interest in the environment!
I’m a nice spirit, you know? Hehe.
Now bye. I’m busy.
Think of me when you smell fertilizers. Or not.
- Spirit of Nature -
''
e9d5470c478f13405849d4f8a9d1e1b560dd9138
File:Spirit of Nature A.png
6
620
1203
2023-02-06T13:41:23Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Nature B.png
6
621
1204
2023-02-06T13:41:36Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Spirit of City
0
622
1205
2023-02-06T13:43:52Z
Tigergurke
14
Created page with "<center> == Type A == [[File:Spirit_of_City_A.png|300px]] <br> <br> ''Hello, [MC]. Is it true that you are my parent? Thanks for giving me birth. I can smell city from you. Maybe that’s what brought me here... The city is packed with people. But you know what’s weird? The more you struggle to live, the more pieces your heart will break into. I guess my heart is more or less like a city. It can break, just like how old concrete breaks. When my heart breaks, I wil..."
wikitext
text/x-wiki
<center>
== Type A ==
[[File:Spirit_of_City_A.png|300px]]
<br>
<br>
''Hello, [MC].
Is it true that you are my parent?
Thanks for giving me birth.
I can smell city from you. Maybe that’s what brought me here...
The city is packed with people.
But you know what’s weird?
The more you struggle to live, the more pieces your heart will break into.
I guess my heart is more or less like a city. It can break, just like how old concrete breaks.
When my heart breaks, I will land by your side to rest my wings.
But I’ll be a little disappointed if you simply provide me with respite.
Please, feel free to scold me, too. But lower your voice when you are at it.
I will rest on your knees and tell you my story.
About sparkling city, science, fatigue, and intriguing facilities...
-Sincerely, Spirit of City-
''
<br>
<br>
== Type B ==
[[File:Spirit_of_City_B.png|300px]]
<br>
<br>
''Hey, listen... Umm...
Could you lend me some money?
The Space Casino calls for me. Once I hit the jackpot, I’ll make sure to share with you - with an interest!
That doesn’t sound so bad, does it?
You know how good I am, don’t you?
I can memorize the entire cards on the table, so you’ll get to lose nothing.
Here is my checking account number:
mars-venus-jupiter-777-xo72.
Oh, and it’s the Grey Bank!
Uh, this bank is far from the common bank, but don’t worry.
You’d get to borrow a lot, so consider it an investment.
Could you make the transfer until tomorrow if possible?
Let me know once you’re done.
- Spirit of City -
''
96306923fed429cdfe1c220262f99c9f79804ccb
File:Spirit of City A.png
6
623
1206
2023-02-06T13:44:20Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of City B.png
6
624
1207
2023-02-06T13:44:30Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Spirit of Cure
0
625
1208
2023-02-06T13:46:26Z
Tigergurke
14
Created page with "<center> == Type A == [[File:Spirit_of_Cure_A.png|300px]] <br> <br> ''[MC], pleasure to meet you for very first time. I am the Spirit of Cure. I appreciate you for giving me birth. I heal flowers, grasses, and trees and supervise bugs. And I can cure human heart as well, albeit very little... Compared to your love, my power is but a candlelight against the sun. However, I hope I can help you even for a bit. I will hide in your heart. Please call me when you are si..."
wikitext
text/x-wiki
<center>
== Type A ==
[[File:Spirit_of_Cure_A.png|300px]]
<br>
<br>
''[MC], pleasure to meet you for very first time.
I am the Spirit of Cure.
I appreciate you for giving me birth.
I heal flowers, grasses, and trees and supervise bugs.
And I can cure human heart as well, albeit very little...
Compared to your love, my power is but a candlelight against the sun.
However, I hope I can help you even for a bit.
I will hide in your heart.
Please call me when you are sick. Alright?
Thank you from the bottom of my heart for being my parent...
-Love, Spirit of Cure-
''
<br>
<br>
== Type B ==
[[File:Spirit_of_Cure_B.png|300px]]
<br>
<br>
''Hey, [MC].
I found a job at a pharmaceutical company.
They wanted me to come up with medicine that will shut down pain, instead of something that will get rid of illness.
Let me know if you’re ill. I’ll send you my latest invention.
Did you know that pharmaceutical companies will never go broke? It’s because humans take a whole lot of medicines. And they even ingest animals fed with medicine...!
Do you have any idea what would happen if you eat loads of such...
Wait, scratch what I said. I know you’re not interested in this stuff. So let me leave you with that.
I might end up spilling all the secrets to you if I continue. Hehe.
Well, anyways, thank you for keeping me with you all this time.
Now I must go.
Here’s to the pills! And here’s to a life with never-ending illness!
- Spirit of Cure -
''
ecb480a25ddbd86fb67deef52242fbddb5e9de57
File:Spirit of Cure A.png
6
626
1209
2023-02-06T13:46:43Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Cure B.png
6
627
1210
2023-02-06T13:46:52Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Spirit of Guidance
0
628
1211
2023-02-06T13:49:12Z
Tigergurke
14
Created page with "<center> == Type A == [[File:Spirit_of_Guidance_A.png|300px]] <br> <br> ''[MC], it is very nice to meet you. I am the Spirit of Guidance. I specialize in handling information on Planet Tolup. I may look weak, but I have no need for huge force to handle the vast amount of knowledge. I may not possess a fit body, but I was born with a highly efficient brain. If you have any question, feel free to ask me. You are my parent, so I will specially tell you everything. Oh, r..."
wikitext
text/x-wiki
<center>
== Type A ==
[[File:Spirit_of_Guidance_A.png|300px]]
<br>
<br>
''[MC], it is very nice to meet you.
I am the Spirit of Guidance.
I specialize in handling information on Planet Tolup.
I may look weak, but I have no need for huge force to handle the vast amount of knowledge.
I may not possess a fit body, but I was born with a highly efficient brain.
If you have any question, feel free to ask me. You are my parent, so I will specially tell you everything.
Oh, right! [MC], humans tend to stare at smartphones for too long.
I do not want your eyes to be tired, so take some rest in between.
If only I could stay with you all the time and read for you all sorts of information...
Please take care and call me whenever you need me!
-Sincerely, Spirit of Guidance-
''
<br>
<br>
== Type B ==
[[File:Spirit_of_Guidance_B.png|300px]]
<br>
<br>
''Welcome, [MC]. Pleasure to meet you.
Today’s topic is ‘saving your own life.’
It might be a little difficult for you, but it would do no harm for you to train yourself in it in advance.
Wait...! Sit straight.
Don’t twist your legs. Don’t slouch. Keep your head up.
No, I told you to keep your head up, not stare straight at me.
Keep your eyes on 45 degrees, and make sure you wear a faint smile.
Hah... Seriously...
You’re not at all ready to learn...
This won’t do. No more lessons today.
Come back with a reflective essay on what you have done wrong for your next lesson. I’ll run a review on it before we begin.
I shall see you then.
- Spirit of Guidance -
''
dff6da9f0b8bc2da0a590d1f9f846c3331e474e2
File:Spirit of Guidance A.png
6
629
1212
2023-02-06T13:49:42Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Guidance B.png
6
630
1213
2023-02-06T13:49:52Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Spirit of Empire
0
631
1214
2023-02-06T13:51:45Z
Tigergurke
14
Created page with "<center> == Type A == [[File:Spirit_of_Empire_A.png|300px]] <br> <br> ''Greetings to you! This is the Spirit of Empire, at your service. [MC]. I swear I will devote myself to you from this moment. You are my parent, so everything about me is yours. If there’s something you need, tell me anytime. I will serve you to the best of my abilities. I will not merely thank you. I will show you what I can do for you. -Spirit of Empire- '' <br> <br> == Type B == File:Spir..."
wikitext
text/x-wiki
<center>
== Type A ==
[[File:Spirit_of_Empire_A.png|300px]]
<br>
<br>
''Greetings to you! This is the Spirit of Empire, at your service.
[MC]. I swear I will devote myself to you from this moment.
You are my parent, so everything about me is yours.
If there’s something you need, tell me anytime. I will serve you to the best of my abilities.
I will not merely thank you. I will show you what I can do for you.
-Spirit of Empire-
''
<br>
<br>
== Type B ==
[[File:Spirit_of_Empire_B.png|300px]]
<br>
<br>
''Phew... [MC]... I am the Spirit of Empire, the just spirit.
Have you ever thought about the meaning of justice? People often say justice is a subjective idea.
Just like how I consider power to be just.
Or do you think power is evil?
Then how come those close to power will always get the best treatment?
Hah...
Actually, it doesn’t really matter what you think about justice.
We need those who consider justice good. And those who consider justice bad.
That’s how we can secure balance.
Like I said, I consider power as just.
Because with power I can keep you safe.
However, exposure to power can also put you in danger whenever possible.
Please do not let this advice go to waste.
And please don’t contact me often. There is power twitching to take flight as we speak.
Now farewell.
- Spirit of Empire -
''
f848d9c0369748d616dfaa1fdf38de5e6ad26080
File:Spirit of Empire A.png
6
632
1215
2023-02-06T13:52:01Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spirit of Empire B.png
6
633
1216
2023-02-06T13:52:07Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Planets/Tolup
0
237
1217
1176
2023-02-06T14:04:57Z
Tigergurke
14
/* Spiritling */
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
<center>
== Spiritling ==
<gallery widths=200 heights=200px>
Sunflower_Spiritling.gif|Sunflower
Moonflower_Spiritling.gif|Moonflower
Lotus_Spiritling.gif|Lotus
|-
</gallery>
== Chrysalis ==
<gallery>
Chrysalis_of_Cure.gif|Cure
Chrysalis_of_Protection.gif|Protection
Chrysalis_of_Blaze.gif|Blaze
Chrysalis_of_Divinity.gif|Divinity
|-
</gallery>
<gallery>
Chrysalis_of_Cure.png
Chrysalis_of_Protection.png
Chrysalis_of_Blaze.png
Chrysalis_of_Divinity.png
|-
</gallery>
== Spirit ==
<gallery>
Spirit_of_Empire.gif|[[Spirit_of_Empire|Spirit of Empire]]
Spirit_of_Cure.gif|[[Spirit_of_Cure|Spirit of Cure]]
Spirit_of_Guidance.gif|[[Spirit_of_Guidance|Spirit of Guidance]]
|-
</gallery>
== High Spirit ==
<gallery>
Spirit_of_Nature.gif|[[Spirit_of_Nature|Spirit of Nature]]
Spirit_of_City.gif|[[Spirit_of_City|Spirit of City]]
Spirit_of_Phoenix.gif|[[Spirit_of_Phoenix|Spirit of Phoenix]]
Spirit_of_Legend.gif|[[Spirit_of_Legend|Spirit of Legend]]
</gallery>
|}
0d6b13861b33e758dc0a0718492b10370e15761c
1218
1217
2023-02-06T14:06:59Z
Tigergurke
14
/* Chrysalis */
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
<center>
== Spiritling ==
<gallery widths=200 heights=200px>
Sunflower_Spiritling.gif|Sunflower
Moonflower_Spiritling.gif|Moonflower
Lotus_Spiritling.gif|Lotus
|-
</gallery>
== Chrysalis ==
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.gif|Cure
Chrysalis_of_Protection.gif|Protection
Chrysalis_of_Blaze.gif|Blaze
Chrysalis_of_Divinity.gif|Divinity
|-
</gallery>
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.png
Chrysalis_of_Protection.png
Chrysalis_of_Blaze.png
Chrysalis_of_Divinity.png
|-
</gallery>
== Spirit ==
<gallery>
Spirit_of_Empire.gif|[[Spirit_of_Empire|Spirit of Empire]]
Spirit_of_Cure.gif|[[Spirit_of_Cure|Spirit of Cure]]
Spirit_of_Guidance.gif|[[Spirit_of_Guidance|Spirit of Guidance]]
|-
</gallery>
== High Spirit ==
<gallery>
Spirit_of_Nature.gif|[[Spirit_of_Nature|Spirit of Nature]]
Spirit_of_City.gif|[[Spirit_of_City|Spirit of City]]
Spirit_of_Phoenix.gif|[[Spirit_of_Phoenix|Spirit of Phoenix]]
Spirit_of_Legend.gif|[[Spirit_of_Legend|Spirit of Legend]]
</gallery>
|}
6bc7eb3a69a25f75de706d66c07b127f9a7c39da
1219
1218
2023-02-06T14:07:21Z
Tigergurke
14
/* Spirit */
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
<center>
== Spiritling ==
<gallery widths=200 heights=200px>
Sunflower_Spiritling.gif|Sunflower
Moonflower_Spiritling.gif|Moonflower
Lotus_Spiritling.gif|Lotus
|-
</gallery>
== Chrysalis ==
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.gif|Cure
Chrysalis_of_Protection.gif|Protection
Chrysalis_of_Blaze.gif|Blaze
Chrysalis_of_Divinity.gif|Divinity
|-
</gallery>
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.png
Chrysalis_of_Protection.png
Chrysalis_of_Blaze.png
Chrysalis_of_Divinity.png
|-
</gallery>
== Spirit ==
<gallery widths=190 heights=190px>
Spirit_of_Empire.gif|[[Spirit_of_Empire|Spirit of Empire]]
Spirit_of_Cure.gif|[[Spirit_of_Cure|Spirit of Cure]]
Spirit_of_Guidance.gif|[[Spirit_of_Guidance|Spirit of Guidance]]
|-
</gallery>
== High Spirit ==
<gallery>
Spirit_of_Nature.gif|[[Spirit_of_Nature|Spirit of Nature]]
Spirit_of_City.gif|[[Spirit_of_City|Spirit of City]]
Spirit_of_Phoenix.gif|[[Spirit_of_Phoenix|Spirit of Phoenix]]
Spirit_of_Legend.gif|[[Spirit_of_Legend|Spirit of Legend]]
</gallery>
|}
74ff87877b8266ca5d7a81463e7543320d003933
1220
1219
2023-02-06T14:07:38Z
Tigergurke
14
/* High Spirit */
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
<center>
== Spiritling ==
<gallery widths=200 heights=200px>
Sunflower_Spiritling.gif|Sunflower
Moonflower_Spiritling.gif|Moonflower
Lotus_Spiritling.gif|Lotus
|-
</gallery>
== Chrysalis ==
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.gif|Cure
Chrysalis_of_Protection.gif|Protection
Chrysalis_of_Blaze.gif|Blaze
Chrysalis_of_Divinity.gif|Divinity
|-
</gallery>
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.png
Chrysalis_of_Protection.png
Chrysalis_of_Blaze.png
Chrysalis_of_Divinity.png
|-
</gallery>
== Spirit ==
<gallery widths=190 heights=190px>
Spirit_of_Empire.gif|[[Spirit_of_Empire|Spirit of Empire]]
Spirit_of_Cure.gif|[[Spirit_of_Cure|Spirit of Cure]]
Spirit_of_Guidance.gif|[[Spirit_of_Guidance|Spirit of Guidance]]
|-
</gallery>
== High Spirit ==
<gallery widths=190 heights=190px>
Spirit_of_Nature.gif|[[Spirit_of_Nature|Spirit of Nature]]
Spirit_of_City.gif|[[Spirit_of_City|Spirit of City]]
Spirit_of_Phoenix.gif|[[Spirit_of_Phoenix|Spirit of Phoenix]]
Spirit_of_Legend.gif|[[Spirit_of_Legend|Spirit of Legend]]
</gallery>
|}
b0417ef80f39d16ce4598fcb648ca7ff9f4cceda
1221
1220
2023-02-06T14:08:08Z
Tigergurke
14
/* Spiritling */
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
<center>
== Spiritling ==
<gallery widths=190 heights=190px>
Sunflower_Spiritling.gif|Sunflower
Moonflower_Spiritling.gif|Moonflower
Lotus_Spiritling.gif|Lotus
|-
</gallery>
== Chrysalis ==
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.gif|Cure
Chrysalis_of_Protection.gif|Protection
Chrysalis_of_Blaze.gif|Blaze
Chrysalis_of_Divinity.gif|Divinity
|-
</gallery>
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.png
Chrysalis_of_Protection.png
Chrysalis_of_Blaze.png
Chrysalis_of_Divinity.png
|-
</gallery>
== Spirit ==
<gallery widths=190 heights=190px>
Spirit_of_Empire.gif|[[Spirit_of_Empire|Spirit of Empire]]
Spirit_of_Cure.gif|[[Spirit_of_Cure|Spirit of Cure]]
Spirit_of_Guidance.gif|[[Spirit_of_Guidance|Spirit of Guidance]]
|-
</gallery>
== High Spirit ==
<gallery widths=190 heights=190px>
Spirit_of_Nature.gif|[[Spirit_of_Nature|Spirit of Nature]]
Spirit_of_City.gif|[[Spirit_of_City|Spirit of City]]
Spirit_of_Phoenix.gif|[[Spirit_of_Phoenix|Spirit of Phoenix]]
Spirit_of_Legend.gif|[[Spirit_of_Legend|Spirit of Legend]]
</gallery>
|}
d7bfe84ca0914f2bb94c7414fac00577fd9e6fa2
Daily Emotion Study
0
436
1222
1174
2023-02-06T20:36:02Z
User135
5
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Example || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Example || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Example || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Example || Example || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Example || That sometimes happens. And it will eventually pass.
|-
| Example || Example || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Example || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Example || Example || Have you ever been disappointed by grown-ups, including your parents? || Example || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Example || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Example || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Example || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Example || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Example || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Example || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Example || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Example || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Example || Example || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Example || Example || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Example || Example || Let us say your crush is passing right in front of you! What will you do to charm your crush? || Example || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Example || Example || Let us say you will give a trophy to yourself! What would you award you on? || Example || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Example || Example || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Example || Example || When do you tend to be timid or intimidated? || Example || Timid? Me?
|-
| Example || Example || Is there something you would hate to see it change, even if the rest of the world is to change? || Example || Evtng that makes me who i am. Including you, of course.
|-
| Example || Example || Have you ever experienced lack of respect due to your age? || Example || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Example || Example || Have you ever parted ways with someone you did not want to part with? || Example || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Example || Example || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Example || Example || How do you use your social accounts? || Example || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
a7e155528f58bbebe67b9e39049adb7318229a2d
1223
1222
2023-02-07T12:51:23Z
User135
5
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Example || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Example || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Example || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Example || Example || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Example || That sometimes happens. And it will eventually pass.
|-
| Example || Example || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Example || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Example || Example || Have you ever been disappointed by grown-ups, including your parents? || Example || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Example || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Example || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Example || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Example || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Example || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Example || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Example || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Example || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Example || Example || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Example || Example || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Example || Example || Let us say your crush is passing right in front of you! What will you do to charm your crush? || Example || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Example || Example || Let us say you will give a trophy to yourself! What would you award you on? || Example || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Example || Example || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Example || Example || When do you tend to be timid or intimidated? || Example || Timid? Me?
|-
| Example || Example || Is there something you would hate to see it change, even if the rest of the world is to change? || Example || Evtng that makes me who i am. Including you, of course.
|-
| Example || Example || Have you ever experienced lack of respect due to your age? || Example || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Example || Example || Have you ever parted ways with someone you did not want to part with? || Example || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Example || Example || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Example || Example || How do you use your social accounts? || Example || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Example || Example || Is there something that you will never let anybody best you? || Example || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Example || Example || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Example || Example || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Example || Example || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Example || Example || If you are to have children (or if you have children), how do you want them to grow? || Example || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Example || Example || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
f69407476196cb4724295322022a966f248c8151
1224
1223
2023-02-07T15:47:09Z
Hyobros
9
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Example || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Example || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Example || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Example || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Example || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Example || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Example || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Example || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Example || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Example || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Example || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Example || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Example || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Example || Example || Let us say your crush is passing right in front of you! What will you do to charm your crush? || Example || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Example || Example || Let us say you will give a trophy to yourself! What would you award you on? || Example || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Example || Example || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Example || Example || When do you tend to be timid or intimidated? || Example || Timid? Me?
|-
| Example || Example || Is there something you would hate to see it change, even if the rest of the world is to change? || Example || Evtng that makes me who i am. Including you, of course.
|-
| Example || Example || Have you ever experienced lack of respect due to your age? || Example || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Example || Example || Have you ever parted ways with someone you did not want to part with? || Example || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Example || Example || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Example || Example || How do you use your social accounts? || Example || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Example || Example || Is there something that you will never let anybody best you? || Example || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Example || Example || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Example || Example || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Example || Example || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Example || Example || If you are to have children (or if you have children), how do you want them to grow? || Example || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Example || Example || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
4383d03c7048d41555195cbffc13f1c2488fc0ac
Teo/Gallery
0
245
1225
961
2023-02-07T15:54:19Z
Hyobros
9
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
TeoDay13WaketimeSelfie.png|Day 13
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
e33cf0291cfafb51189c858b9d0000a48a5b9262
1226
1225
2023-02-07T16:01:28Z
Hyobros
9
/* Vanas */ added more pics
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png
13 Days Since First Meeting Wake Time Pictures.png
13 Days Since First Meeting Breakfast Pictures.png
14 Days Since First Meeting Breakfast Pictures.png|Day 14
TeoDay19BedtimeSelfie.png|Day 19
TeoDay21BedtimeSelfie.png|Day 21
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
6a266076efeef43d604cee488cd8a11ca5ee902d
1250
1226
2023-02-07T16:28:01Z
Hyobros
9
/* Vanas */
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
b6c71b8ebcb97143eec1eb459c110813feedfab1
File:14 Days Since First Meeting Wake Time Pictures.png
6
634
1227
2023-02-07T16:02:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:14 Days Since First Meeting Bedtime Pictures (Teo).png
6
635
1228
2023-02-07T16:03:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:15 Days Since First Meeting Wake Time Pictures.png
6
636
1229
2023-02-07T16:03:49Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:16 Days Since First Meeting Breakfast Pictures.png
6
637
1230
2023-02-07T16:04:20Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:16 Days Since First Meeting Dinner Pictures.png
6
638
1231
2023-02-07T16:04:55Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:18 Days Since First Meeting Bedtime Pictures.png
6
639
1232
2023-02-07T16:05:27Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:19 Days Since First Meeting Wake Time Pictures.png
6
640
1233
2023-02-07T16:07:45Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:20 Days Since First Meeting Bedtime Pictures.png
6
641
1234
2023-02-07T16:08:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:20 Days Since First Meeting Wake Time Pictures.png
6
642
1235
2023-02-07T16:08:29Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:21 Days Since First Meeting Bedtime Pictures(1).png
6
643
1236
2023-02-07T16:08:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:21 Days Since First Meeting Wake Time Pictures.png
6
644
1237
2023-02-07T16:09:28Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:22 Days Since First Meeting Lunch Pictures(1).png
6
645
1238
2023-02-07T16:09:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:22 Days Since First Meeting Lunch Pictures.png
6
646
1239
2023-02-07T16:10:11Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:22 Days Since First Meeting Wake Time Pictures.png
6
647
1240
2023-02-07T16:10:37Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:23 Days Since First Meeting Lunch Pictures(1).png
6
648
1241
2023-02-07T16:10:55Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:24 Days Since First Meeting Breakfast Pictures.png
6
649
1242
2023-02-07T16:11:13Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:24 Days Since First Meeting Lunch Pictures.png
6
650
1243
2023-02-07T16:11:28Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:24 Days Since First Meeting Wake Time Pictures.png
6
651
1244
2023-02-07T16:12:02Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:26 Days Since First Meeting Breakfast Pictures(1).png
6
652
1245
2023-02-07T16:12:17Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:26 Days Since First Meeting Dinner Pictures.png
6
653
1246
2023-02-07T16:12:53Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:27 Days Since First Meeting Bedtime Pictures.png
6
654
1247
2023-02-07T16:13:19Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:27 Days Since First Meeting Breakfast Pictures.png
6
655
1248
2023-02-07T16:13:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:28 Days Since First Meeting Breakfast Pictures.png
6
656
1249
2023-02-07T16:14:19Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:31 Days Since First Meeting Dinner Pictures(1).png
6
657
1251
2023-02-07T17:09:53Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Dinner Pictures(2).png
6
658
1252
2023-02-07T17:09:53Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(1).png
6
659
1253
2023-02-07T17:09:55Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(2).png
6
660
1254
2023-02-07T17:09:56Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:30 Days Since First Meeting Lunch Pictures.png
6
661
1255
2023-02-07T17:09:56Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 30}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
e34faee0e582b884240c2d940bbffe42eff607e9
File:31 Days Since First Meeting Lunch Pictures.png
6
662
1256
2023-02-07T17:09:58Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(4).png
6
664
1257
2023-02-07T17:10:01Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(3).png
6
663
1258
2023-02-07T17:10:01Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Wake Time Pictures.png
6
665
1259
2023-02-07T17:10:02Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:32 Days Since First Meeting Dinner Pictures(2).png
6
667
1261
2023-02-07T17:10:04Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 32}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
b9e008b1c2687ae4a3a580e0bf3589b4aa42952b
File:32 Days Since First Meeting Dinner Pictures.png
6
668
1262
2023-02-07T17:10:05Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 32}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
b9e008b1c2687ae4a3a580e0bf3589b4aa42952b
File:32 Days Since First Meeting Lunch Pictures.png
6
669
1263
2023-02-07T17:10:06Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 32}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
b9e008b1c2687ae4a3a580e0bf3589b4aa42952b
File:33 Days Since First Meeting Dinner Pictures(1).png
6
670
1264
2023-02-07T17:10:06Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a4be1335a40ebb3c34d9ea53904ecdbf43d6fe9
File:33 Days Since First Meeting Dinner Pictures.png
6
671
1265
2023-02-07T17:10:09Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo's body double on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
761a88ce824485ce90f0f30acbb3685251d3b84b
File:33 Days Since First Meeting Lunch Pictures(2).png
6
672
1266
2023-02-07T17:10:11Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a4be1335a40ebb3c34d9ea53904ecdbf43d6fe9
File:33 Days Since First Meeting Lunch Pictures(1).png
6
673
1267
2023-02-07T17:10:12Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a4be1335a40ebb3c34d9ea53904ecdbf43d6fe9
File:33 Days Since First Meeting Wake Time Pictures.png
6
674
1268
2023-02-07T17:10:13Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a4be1335a40ebb3c34d9ea53904ecdbf43d6fe9
File:33 Days Since First Meeting Lunch Pictures.png
6
675
1269
2023-02-07T17:10:14Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a4be1335a40ebb3c34d9ea53904ecdbf43d6fe9
File:34 Days Since First Meeting Breakfast Pictures.png
6
676
1270
2023-02-07T17:10:15Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 34}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
e20f0ebb3607477785bbbb463104a59dd15e1575
File:34 Days Since First Meeting Dinner Pictures.png
6
677
1271
2023-02-07T17:10:16Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Teo on day 34}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
267a2b5d937a39ddf4e726455a4225663657eaab
File:35 Days Since First Meeting Breakfast Pictures.png
6
678
1272
2023-02-07T17:10:18Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 35}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
2e87e6bd33a83739b699b29211b9494e35a76b9d
File:34 Days Since First Meeting Wake Time Pictures.png
6
679
1273
2023-02-07T17:10:19Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 34}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
e20f0ebb3607477785bbbb463104a59dd15e1575
File:34 Days Since First Meeting Wake Time Pictures(1).png
6
680
1274
2023-02-07T17:10:20Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Teo's persona on day 34}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a61b97999f35a93f78ec8c5bf490230d6a71685
File:36 Days Since First Meeting Bedtime Pictures.png
6
681
1275
2023-02-07T17:10:21Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 36}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
63a95fa2eeaa166a2b21ee618db1a5dd59fcd6f3
File:36 Days Since First Meeting Breakfast Pictures.png
6
682
1276
2023-02-07T17:10:21Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 36}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
63a95fa2eeaa166a2b21ee618db1a5dd59fcd6f3
File:36 Days Since First Meeting Lunch Pictures(1).png
6
683
1277
2023-02-07T17:10:23Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 36}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
63a95fa2eeaa166a2b21ee618db1a5dd59fcd6f3
File:36 Days Since First Meeting Lunch Pictures.png
6
684
1278
2023-02-07T17:10:23Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 36}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
63a95fa2eeaa166a2b21ee618db1a5dd59fcd6f3
File:37 Days Since First Meeting Bedtime Pictures(2).png
6
685
1279
2023-02-07T17:10:24Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 37}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
62cbd7ee995077c0d5ef129c5bca970b3047e282
File:38 Days Since First Meeting Breakfast Pictures(1).png
6
686
1280
2023-02-07T17:10:29Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 38}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
837d441da9b02b34decacd92de0dc8fce4d4d904
File:37 Days Since First Meeting Lunch Pictures.png
6
687
1281
2023-02-07T17:10:30Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 37}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
62cbd7ee995077c0d5ef129c5bca970b3047e282
File:38 Days Since First Meeting Breakfast Pictures.png
6
688
1282
2023-02-07T17:10:31Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 38}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
837d441da9b02b34decacd92de0dc8fce4d4d904
File:39 Days Since First Meeting Lunch Pictures.png
6
689
1283
2023-02-07T17:10:39Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 39}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a3e4cf8f741c3f352878ed0b6b8e3210949dafe9
File:39 Days Since First Meeting Wake Time Pictures.png
6
690
1284
2023-02-07T17:10:40Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Past selfie of teo on day 39}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
2faeca3789d02c4f8820e0c953f5916e9c559b85
File:39 Days Since First Meeting Wake Time Pictures(1).png
6
691
1285
2023-02-07T17:10:41Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 39}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a3e4cf8f741c3f352878ed0b6b8e3210949dafe9
File:41 Days Since First Meeting Bedtime Pictures.png
6
692
1286
2023-02-07T17:10:42Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 41}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
106f584d9ed615114193a8d972ab8869750d19c6
File:41 Days Since First Meeting Breakfast Pictures.png
6
693
1287
2023-02-07T17:10:44Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 41}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
106f584d9ed615114193a8d972ab8869750d19c6
File:40 Days Since First Meeting Breakfast Pictures.png
6
694
1288
2023-02-07T17:10:45Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 40}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
2fd0ec7061c13cfe27ceb9347d04d5255b7a7819
File:41 Days Since First Meeting Lunch Pictures.png
6
695
1289
2023-02-07T17:10:47Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 41}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
106f584d9ed615114193a8d972ab8869750d19c6
File:41 Days Since First Meeting Lunch Pictures(1).png
6
696
1290
2023-02-07T17:10:47Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 41}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
106f584d9ed615114193a8d972ab8869750d19c6
File:42 Days Since First Meeting Wake Time Pictures(1).png
6
697
1291
2023-02-07T17:10:51Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 42}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
87940d97b8ad79bfa1326acfaa702cd8e29d37ab
File:42 Days Since First Meeting Lunch Pictures.png
6
698
1292
2023-02-07T17:10:51Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 42}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
87940d97b8ad79bfa1326acfaa702cd8e29d37ab
File:43 Days Since First Meeting Breakfast Pictures.png
6
699
1293
2023-02-07T17:10:52Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 43}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
6ca37fe57cbfabee9b6232e9f1bdd5cfbde044a0
File:43 Days Since First Meeting Wake Time Pictures(1).png
6
700
1294
2023-02-07T17:10:54Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 43}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
6ca37fe57cbfabee9b6232e9f1bdd5cfbde044a0
File:43 Days Since First Meeting Wake Time Pictures.png
6
701
1295
2023-02-07T17:10:55Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 43}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
6ca37fe57cbfabee9b6232e9f1bdd5cfbde044a0
File:43 Days Since First Meeting Lunch Pictures.png
6
702
1296
2023-02-07T17:10:55Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 43}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
6ca37fe57cbfabee9b6232e9f1bdd5cfbde044a0
File:44 Days Since First Meeting Breakfast Pictures(1).png
6
703
1297
2023-02-07T17:10:59Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 44}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
f267960c61b69036fd61d9736b66904809821908
File:45 Days Since First Meeting Bedtime Pictures.png
6
704
1298
2023-02-07T17:10:59Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 45}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3dc13ba68df9dc2601c642bc0abdbd0a65c0d491
File:45 Days Since First Meeting Dinner Pictures(1).png
6
705
1299
2023-02-07T17:11:02Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 45}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3dc13ba68df9dc2601c642bc0abdbd0a65c0d491
File:45 Days Since First Meeting Dinner Pictures.png
6
706
1300
2023-02-07T17:11:02Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 45}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3dc13ba68df9dc2601c642bc0abdbd0a65c0d491
File:46 Days Since First Meeting Wake Time Pictures.png
6
707
1301
2023-02-07T17:11:04Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 46}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
ac4112b6532e42b689f515e5ec0092dd5793bd8a
File:44 Days Since First Meeting Bedtime Pictures.png
6
708
1302
2023-02-07T17:11:06Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 44}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
f267960c61b69036fd61d9736b66904809821908
File:49 Days Since First Meeting Bedtime Pictures(1).png
6
709
1303
2023-02-07T17:11:06Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 49}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
7d1e8b85695b3e6f7721e6b2d24f8e2b7ee2e322
File:49 Days Since First Meeting Bedtime Pictures(3).png
6
710
1304
2023-02-07T17:11:08Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 49}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
7d1e8b85695b3e6f7721e6b2d24f8e2b7ee2e322
File:49 Days Since First Meeting Bedtime Pictures(2).png
6
711
1305
2023-02-07T17:11:08Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 49}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
7d1e8b85695b3e6f7721e6b2d24f8e2b7ee2e322
File:49 Days Since First Meeting Bedtime Pictures(4).png
6
712
1306
2023-02-07T17:11:11Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 49}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
7d1e8b85695b3e6f7721e6b2d24f8e2b7ee2e322
File:49 Days Since First Meeting Bedtime Pictures.png
6
713
1307
2023-02-07T17:11:11Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 49}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
7d1e8b85695b3e6f7721e6b2d24f8e2b7ee2e322
File:50 Days Since First Meeting Breakfast Pictures(1).png
6
714
1308
2023-02-07T17:11:13Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 50}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
9107ab61139629d36bba4b3e98ea6b848e32e113
File:50 Days Since First Meeting Breakfast Pictures(2).png
6
715
1309
2023-02-07T17:11:13Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 50}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
9107ab61139629d36bba4b3e98ea6b848e32e113
File:46 Days Since First Meeting Dinner Pictures.png
6
716
1310
2023-02-07T17:11:14Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 46}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
ac4112b6532e42b689f515e5ec0092dd5793bd8a
File:50 Days Since First Meeting Breakfast Pictures.png
6
717
1311
2023-02-07T17:11:15Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 50}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
9107ab61139629d36bba4b3e98ea6b848e32e113
File:56 Days Since First Meeting Breakfast Pictures.png
6
718
1312
2023-02-07T17:11:16Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Teo on day 56}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
4ebd6913585f6b2fde0c2bf6e30bcfe065dbffee
File:56 Days Since First Meeting Wake Time Pictures.png
6
719
1313
2023-02-07T17:11:16Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 56}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
649c3ca76426a128d510f4048f8b960423075b62
File:57 Days Since First Meeting Bedtime Pictures.png
6
720
1314
2023-02-07T17:11:18Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 57}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Teo]]
f475e5724a9ecf8364a1541b3dfb4477880db649
File:58 Days Since First Meeting Lunch Pictures(1).png
6
721
1315
2023-02-07T17:11:19Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 58}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Teo]]
732bf020ea91f79b2e26b0339c3f92acf02aae42
File:58 Days Since First Meeting Lunch Pictures.png
6
722
1316
2023-02-07T17:11:21Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 58}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Teo]]
732bf020ea91f79b2e26b0339c3f92acf02aae42
File:58 Days Since First Meeting Dinner Pictures.png
6
723
1317
2023-02-07T17:11:24Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 58}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Teo]]
732bf020ea91f79b2e26b0339c3f92acf02aae42
File:60 Days Since First Meeting Dinner Pictures.png
6
724
1318
2023-02-07T17:11:25Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 60}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Teo]]
e6762927c5d7311eefd1b69a0965d57856b3cb63
File:60 Days Since First Meeting Lunch Pictures(1).png
6
725
1319
2023-02-07T17:11:26Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 60}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Teo]]
e6762927c5d7311eefd1b69a0965d57856b3cb63
File:59 Days Since First Meeting Breakfast Pictures.png
6
726
1320
2023-02-07T17:11:27Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 59}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Teo]]
8f944015b25da32b4dc6a8b24943ec30e2599813
Daily Emotion Study
0
436
1321
1224
2023-02-07T22:30:49Z
User135
5
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Example || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Example || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Example || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Example || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Example || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Example || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Example || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Example || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Example || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Example || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Example || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Example || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Example || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Example || Example || Let us say your crush is passing right in front of you! What will you do to charm your crush? || Example || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Example || Example || Let us say you will give a trophy to yourself! What would you award you on? || Example || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Example || Example || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Example || Example || When do you tend to be timid or intimidated? || Example || Timid? Me?
|-
| Example || Example || Is there something you would hate to see it change, even if the rest of the world is to change? || Example || Evtng that makes me who i am. Including you, of course.
|-
| Example || Example || Have you ever experienced lack of respect due to your age? || Example || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Example || Example || Have you ever parted ways with someone you did not want to part with? || Example || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Example || Example || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Example || Example || How do you use your social accounts? || Example || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Example || Example || Is there something that you will never let anybody best you? || Example || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Example || Example || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Example || Example || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Example || Example || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Example || Example || If you are to have children (or if you have children), how do you want them to grow? || Example || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Example || Example || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Think of something you have purchased recently. Describe it. || Example || Muffin pan. I’m tired of cookies now.
|-
| Example || Example || What would you call a ‘secure life’ for you? || Example || Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|-
| Example || Example || Have you ever felt nobody understands how you feel? || Example || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Example || Example || What is the strongest desire you harbor at the moment? || Example || I want to have a cup of black tea. And talk to you. And go swimming.
|-
| Example || Example || Have you ever found a prize that did not meet your hard work? || Example || When i burned one fried egg after another.
|-
| Example || Example || Do you happen to be jealous of someone at the moment? || Example || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|-
| Example || Example || Which worldly rule do you find most annoying? || Example || Must have all meals. And dont be hopelessly rude when being social.
|-
| Example || Example || When did you feel the greatest freedom in your life? || Example || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit
|-
| Example || Example || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Example || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|-
| Example || Example || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || Example || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|-
| Example || Example || Think of someone dear to you... And freely describe how you feel about that person. || Example || You keep bothering me... Just you wait, i’m talking to you in a bit.
|-
| Example || Example || What would you tell yourself when you feel anxious? || Example || Tell urself that ur ok, and you will be.
|-
| Example || Example || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Example || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|-
| Example || Example || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || Example || I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|-
| Example || Example || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart.|| Example || Every positive word makes me think of you. And i like it.
|-
| Example || Example || Have you ever been barred from something you want to do because of your responsibilities? || Example || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|-
| Example || Example || Tell us when you felt most excited in your life. || Example || Every single moment i spend as i wait for your calls and chats.
|-
| Example || Example || Sometimes money would serve as the guideline for the world. What is money? || Example || Money is might. Which is why it can ruin someone.
|-
| Example || Example || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Example || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|-
| Example || Example || What makes your heart feel warm and soft just with a thought? || Example || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|-
| Example || Example || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Example || Chilling by myself at home, quiet and clean. And talking to you.
|-
| Example || Example || Relax and ask yourself deep within - ‘What do you want?’ || Example || You, quiet place, carrots, piano, poseidon. That’s about it.
|-
| Example || Example || Among the painful experiences you have had, which one do you wish no one else has to go through? || Example || This fiancee came out of nowhere.
|-
| Example || Example || What is the idea that keeps you most occupied these days? || Example || You, of course.
|-
| Example || Example || Are you a good person or a bad person? || Example || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|-
| Example || Example || If you have ever found yourself stressed out because of your looks, tell us about it. || Example || That never happened.
|-
| Example || Example || What is your ideal family like? It doesn’t have to be realistic. || Example || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|-
| Example || Example || What is the greatest stress for you these days? || Example || Getting troubles the moment they seem like they’ll go away.
|-
| Example || Example || When do or did you feel you are as lame as you can be? || Example || Lame...? First of all, i’ve never used the term.
|-
| Example || Example || Is there something that made you super-anxious recently? || Example || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|-
| Example || Example || Imagine yourself in the future. What would you be like? || Example || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|-
| Example || Example || Have you ever felt someone genuinely caring for you lately? || Example || Who else would make me feel like that?
|-
| Example || Example || Is there something bad that you nevertheless like or want to do? || Example || Being generous to myself but strict to the others... And is this supposed to be bad?
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
84f75868d356ba94d4144820b9cfa8b918ffd58c
1331
1321
2023-02-08T14:15:19Z
User135
5
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Balancing Conservative and Progressive || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Revisiting Memories || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Searching for the Target || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Retracing Past Memories || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Defining a Relation || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Inspecting Purchase Records || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Searching for Saved Files || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Searching for a Long-Term Hobby || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Borrowing Your Head || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Blueprinting Ideas on Body || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Getting to Know Your Changes || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Concocting Philosopher’s Stone || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Creating a Rude Title || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Example || Example || Let us say your crush is passing right in front of you! What will you do to charm your crush? || Example || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Example || Example || Let us say you will give a trophy to yourself! What would you award you on? || Example || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Example || Example || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Example || Example || When do you tend to be timid or intimidated? || Example || Timid? Me?
|-
| Example || Example || Is there something you would hate to see it change, even if the rest of the world is to change? || Example || Evtng that makes me who i am. Including you, of course.
|-
| Example || Example || Have you ever experienced lack of respect due to your age? || Example || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Example || Example || Have you ever parted ways with someone you did not want to part with? || Example || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Example || Example || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Example || Example || How do you use your social accounts? || Example || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Example || Example || Is there something that you will never let anybody best you? || Example || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Example || Example || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Example || Example || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Example || Example || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Example || Example || If you are to have children (or if you have children), how do you want them to grow? || Example || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Example || Example || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Think of something you have purchased recently. Describe it. || Example || Muffin pan. I’m tired of cookies now.
|-
| Example || Example || What would you call a ‘secure life’ for you? || Example || Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|-
| Example || Example || Have you ever felt nobody understands how you feel? || Example || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Example || Example || What is the strongest desire you harbor at the moment? || Example || I want to have a cup of black tea. And talk to you. And go swimming.
|-
| Example || Example || Have you ever found a prize that did not meet your hard work? || Example || When i burned one fried egg after another.
|-
| Example || Example || Do you happen to be jealous of someone at the moment? || Example || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|-
| Example || Example || Which worldly rule do you find most annoying? || Example || Must have all meals. And dont be hopelessly rude when being social.
|-
| Example || Example || When did you feel the greatest freedom in your life? || Example || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit
|-
| Example || Example || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Example || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|-
| Example || Example || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || Example || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|-
| Example || Example || Think of someone dear to you... And freely describe how you feel about that person. || Example || You keep bothering me... Just you wait, i’m talking to you in a bit.
|-
| Example || Example || What would you tell yourself when you feel anxious? || Example || Tell urself that ur ok, and you will be.
|-
| Example || Example || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Example || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|-
| Example || Example || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || Example || I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|-
| Example || Example || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart.|| Example || Every positive word makes me think of you. And i like it.
|-
| Example || Example || Have you ever been barred from something you want to do because of your responsibilities? || Example || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|-
| Example || Example || Tell us when you felt most excited in your life. || Example || Every single moment i spend as i wait for your calls and chats.
|-
| Example || Example || Sometimes money would serve as the guideline for the world. What is money? || Example || Money is might. Which is why it can ruin someone.
|-
| Example || Example || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Example || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|-
| Example || Example || What makes your heart feel warm and soft just with a thought? || Example || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|-
| Example || Example || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Example || Chilling by myself at home, quiet and clean. And talking to you.
|-
| Example || Example || Relax and ask yourself deep within - ‘What do you want?’ || Example || You, quiet place, carrots, piano, poseidon. That’s about it.
|-
| Example || Example || Among the painful experiences you have had, which one do you wish no one else has to go through? || Example || This fiancee came out of nowhere.
|-
| Example || Example || What is the idea that keeps you most occupied these days? || Example || You, of course.
|-
| Example || Example || Are you a good person or a bad person? || Example || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|-
| Example || Example || If you have ever found yourself stressed out because of your looks, tell us about it. || Example || That never happened.
|-
| Example || Example || What is your ideal family like? It doesn’t have to be realistic. || Example || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|-
| Example || Example || What is the greatest stress for you these days? || Example || Getting troubles the moment they seem like they’ll go away.
|-
| Example || Example || When do or did you feel you are as lame as you can be? || Example || Lame...? First of all, i’ve never used the term.
|-
| Example || Example || Is there something that made you super-anxious recently? || Example || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|-
| Example || Example || Imagine yourself in the future. What would you be like? || Example || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|-
| Example || Example || Have you ever felt someone genuinely caring for you lately? || Example || Who else would make me feel like that?
|-
| Example || Example || Is there something bad that you nevertheless like or want to do? || Example || Being generous to myself but strict to the others... And is this supposed to be bad?
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
3cb0bc08dc0f8e274d22b8eea3ea049094307581
1342
1331
2023-02-08T22:19:03Z
User135
5
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Balancing Conservative and Progressive || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Revisiting Memories || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Searching for the Target || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Retracing Past Memories || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Defining a Relation || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Inspecting Purchase Records || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Searching for Saved Files || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Searching for a Long-Term Hobby || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Borrowing Your Head || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Example || Blueprinting Ideas on Body || Let us say something positive to your body, doing its best for yet another day. || Example || Keep going. Dont give up until the end.
|-
| Example || Getting to Know Your Changes || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Concocting Philosopher’s Stone || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Creating a Rude Title || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Example || Example || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Example || Example || Let us say your crush is passing right in front of you! What will you do to charm your crush? || Example || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Example || Example || Let us say you will give a trophy to yourself! What would you award you on? || Example || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Example || Example || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Example || Example || When do you tend to be timid or intimidated? || Example || Timid? Me?
|-
| Example || Example || Is there something you would hate to see it change, even if the rest of the world is to change? || Example || Evtng that makes me who i am. Including you, of course.
|-
| Example || Example || Have you ever experienced lack of respect due to your age? || Example || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Example || Example || Have you ever parted ways with someone you did not want to part with? || Example || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Galactic || Mixing Genders || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Example || Example || How do you use your social accounts? || Example || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Example || Example || Is there something that you will never let anybody best you? || Example || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Example || Example || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Example || Example || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Example || Example || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Example || Example || If you are to have children (or if you have children), how do you want them to grow? || Example || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Example || Example || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Think of something you have purchased recently. Describe it. || Example || Muffin pan. I’m tired of cookies now.
|-
| Example || Example || What would you call a ‘secure life’ for you? || Example || Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|-
| Example || Example || Have you ever felt nobody understands how you feel? || Example || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Example || Example || What is the strongest desire you harbor at the moment? || Example || I want to have a cup of black tea. And talk to you. And go swimming.
|-
| Example || Example || Have you ever found a prize that did not meet your hard work? || Example || When i burned one fried egg after another.
|-
| Example || Example || Do you happen to be jealous of someone at the moment? || Example || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|-
| Example || Example || Which worldly rule do you find most annoying? || Example || Must have all meals. And dont be hopelessly rude when being social.
|-
| Example || Example || When did you feel the greatest freedom in your life? || Example || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit
|-
| Example || Example || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Example || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|-
| Example || Example || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || Example || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|-
| Example || Example || Think of someone dear to you... And freely describe how you feel about that person. || Example || You keep bothering me... Just you wait, i’m talking to you in a bit.
|-
| Example || Example || What would you tell yourself when you feel anxious? || Example || Tell urself that ur ok, and you will be.
|-
| Example || Example || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Example || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|-
| Example || Example || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || Example || I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|-
| Example || Example || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart.|| Example || Every positive word makes me think of you. And i like it.
|-
| Example || Example || Have you ever been barred from something you want to do because of your responsibilities? || Example || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|-
| Example || Example || Tell us when you felt most excited in your life. || Example || Every single moment i spend as i wait for your calls and chats.
|-
| Example || Example || Sometimes money would serve as the guideline for the world. What is money? || Example || Money is might. Which is why it can ruin someone.
|-
| Example || Example || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Example || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|-
| Example || Example || What makes your heart feel warm and soft just with a thought? || Example || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|-
| Example || Example || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Example || Chilling by myself at home, quiet and clean. And talking to you.
|-
| Example || Example || Relax and ask yourself deep within - ‘What do you want?’ || Example || You, quiet place, carrots, piano, poseidon. That’s about it.
|-
| Example || Example || Among the painful experiences you have had, which one do you wish no one else has to go through? || Example || This fiancee came out of nowhere.
|-
| Example || Example || What is the idea that keeps you most occupied these days? || Example || You, of course.
|-
| Example || Example || Are you a good person or a bad person? || Example || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|-
| Example || Example || If you have ever found yourself stressed out because of your looks, tell us about it. || Example || That never happened.
|-
| Example || Example || What is your ideal family like? It doesn’t have to be realistic. || Example || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|-
| Example || Example || What is the greatest stress for you these days? || Example || Getting troubles the moment they seem like they’ll go away.
|-
| Example || Example || When do or did you feel you are as lame as you can be? || Example || Lame...? First of all, i’ve never used the term.
|-
| Example || Example || Is there something that made you super-anxious recently? || Example || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|-
| Example || Example || Imagine yourself in the future. What would you be like? || Example || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|-
| Example || Example || Have you ever felt someone genuinely caring for you lately? || Example || Who else would make me feel like that?
|-
| Example || Example || Is there something bad that you nevertheless like or want to do? || Example || Being generous to myself but strict to the others... And is this supposed to be bad?
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
288019e526ef67ad8001e0f914f1b66e97124541
Planets/Cloudi
0
386
1322
844
2023-02-08T14:07:41Z
83.135.185.52
0
wikitext
text/x-wiki
<center>[[File:Cloudi_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #dbf4f0"
| style="border-bottom:none"|<span style="color: #4d8d95"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We can pick up a vast variety of signals from this planet.<br>The signals we are sending you from this planet are composed of <br>beautiful melodies of revolution by satellites making planetary orbits.<br>We hope this melody will make your heart feel lighter.<br><br>
<span style="color: #949494">[Dr. C, the lab director]</span>
|}
<h2>Introduction</h2>
''Are you experienced in one-on-one conversation? <span style="color: #84CFE7">Planet Cloudi</span> is home to <span style="color: #F47070">social networks</span>!
You can write your profile and find new friends.
It is not easy to find <span style="color: #84CFE7">a friend</span> you can perfectly get along with... But it is not impossible.
According to the statistics, you can meet at least <span style="color: #84CFE7">one good friend</span> if you try ten times on average!"
As long as you keep trying and defeat your shyness...
You might get to meet <span style="color=#84CFE7">a precious friend</span>
<span style="color=#F47070">other than [Love Interest]</span> with whom you could enjoy a cordial conversation.
So let us compose your profile right now!
<h4>About this planet</h4>
^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$
== Aspects ==
{| class="wikitable" style=margin: auto;"
|-
| [[File:fire_aspect.png]] || [[File:water_aspect.png]] || [[File:wind_aspect.png]] || [[File:earth_aspect.png]]
|-
! Fire !! Water !! Wind !! Earth
|-
| style="width: 25%"| Those with <span style="color: #f47a7a">the aspect of fire</span> are highly imaginative, daring, and always ready for an erudite challenge. It would not be surprising to find them making huge achievements.
| style="width: 25%"| Those with <span style="color: #60b6ff">the aspect of water</span> are kind and gentle, making the atmosphere just as gentle as they are. Our world would be a much more heartless place without them.
| style="width: 25%"| Those with <span style="color: #7cd2ca">the aspect of wind</span> are creative, energetic, and free. No boundaries can stop them from engaging with people, often getting in the lead of the others with their charms.
| style="width: 25%"| Those with <span style="color: #ce9a80">the aspect of earth</span> are logical, realistic, and practical, doing their best to stay true to whatever they speak of. You can definitely count on them.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Main character || Supporting character at the back || Main character || Supporting character at the back
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
{| class="wikitable" style=margin: auto;"
| [[File:rock_aspect.png]] || [[File:tree_aspect.png]] || [[File:moon_aspect.png]] || [[File:sun_aspect.png]]
|-
! Rock !! Tree !! Moon !! Sun
|-
| style="width: 25%"| Those with <span style="color: #c9c9c9">the aspect of rock</span> are loyal. They wish to protect their beloved, and they can provide safe ground for those around them just with their presence. You will not regret making friends out of people with such aspect.
| style="width: 25%"| Those with <span style="color: #5fda43">the aspect of tree</span> are very attentive to people around them. Being social, they do not have to try to find themselves in the center of associations. They can make quite interesting leaders.
| style="width: 25%"| Those with <span style="color: #f3c422">the aspect of moon</span> may seem quiet, but they have mysterious charms hidden in waiting. And once you get to know them, you might learn they are quite innocent, unlike what they appear to be.
| style="width: 25%"| Those with <span style="color: #ff954f">the aspect of sun</span> are the sort that can view everything from where the rest cannot reach, like the sun itself, with gift of coordination of people or objects. And they do not hesitate to offer themselves for tasks that require toil.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Supporting character at the back || Main character || Supporting character at the back || Main character
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
102f4a3bf2fb613edc3d1a242d8155c375378889
1332
1322
2023-02-08T14:16:00Z
Tigergurke
14
/* Aspects */
wikitext
text/x-wiki
<center>[[File:Cloudi_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #dbf4f0"
| style="border-bottom:none"|<span style="color: #4d8d95"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We can pick up a vast variety of signals from this planet.<br>The signals we are sending you from this planet are composed of <br>beautiful melodies of revolution by satellites making planetary orbits.<br>We hope this melody will make your heart feel lighter.<br><br>
<span style="color: #949494">[Dr. C, the lab director]</span>
|}
<h2>Introduction</h2>
''Are you experienced in one-on-one conversation? <span style="color: #84CFE7">Planet Cloudi</span> is home to <span style="color: #F47070">social networks</span>!
You can write your profile and find new friends.
It is not easy to find <span style="color: #84CFE7">a friend</span> you can perfectly get along with... But it is not impossible.
According to the statistics, you can meet at least <span style="color: #84CFE7">one good friend</span> if you try ten times on average!"
As long as you keep trying and defeat your shyness...
You might get to meet <span style="color=#84CFE7">a precious friend</span>
<span style="color=#F47070">other than [Love Interest]</span> with whom you could enjoy a cordial conversation.
So let us compose your profile right now!
<h4>About this planet</h4>
^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$
== Aspects ==
{| class="wikitable" style=margin: auto;"
|-
| [[File:fire_aspect.png|250px]] || [[File:water_aspect.png|250px]] || [[File:wind_aspect.png|250px]] || [[File:earth_aspect.png|250px]]
|-
! Fire !! Water !! Wind !! Earth
|-
| style="width: 25%"| Those with <span style="color: #f47a7a">the aspect of fire</span> are highly imaginative, daring, and always ready for an erudite challenge. It would not be surprising to find them making huge achievements.
| style="width: 25%"| Those with <span style="color: #60b6ff">the aspect of water</span> are kind and gentle, making the atmosphere just as gentle as they are. Our world would be a much more heartless place without them.
| style="width: 25%"| Those with <span style="color: #7cd2ca">the aspect of wind</span> are creative, energetic, and free. No boundaries can stop them from engaging with people, often getting in the lead of the others with their charms.
| style="width: 25%"| Those with <span style="color: #ce9a80">the aspect of earth</span> are logical, realistic, and practical, doing their best to stay true to whatever they speak of. You can definitely count on them.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Main character || Supporting character at the back || Main character || Supporting character at the back
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
{| class="wikitable" style=margin: auto;"
| [[File:rock_aspect.png|250px]] || [[File:tree_aspect.png|250px]] || [[File:moon_aspect.png|250px]] || [[File:sun_aspect.png|250px]]
|-
! Rock !! Tree !! Moon !! Sun
|-
| style="width: 25%"| Those with <span style="color: #c9c9c9">the aspect of rock</span> are loyal. They wish to protect their beloved, and they can provide safe ground for those around them just with their presence. You will not regret making friends out of people with such aspect.
| style="width: 25%"| Those with <span style="color: #5fda43">the aspect of tree</span> are very attentive to people around them. Being social, they do not have to try to find themselves in the center of associations. They can make quite interesting leaders.
| style="width: 25%"| Those with <span style="color: #f3c422">the aspect of moon</span> may seem quiet, but they have mysterious charms hidden in waiting. And once you get to know them, you might learn they are quite innocent, unlike what they appear to be.
| style="width: 25%"| Those with <span style="color: #ff954f">the aspect of sun</span> are the sort that can view everything from where the rest cannot reach, like the sun itself, with gift of coordination of people or objects. And they do not hesitate to offer themselves for tasks that require toil.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Supporting character at the back || Main character || Supporting character at the back || Main character
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
fb0ef5cea78b6fbd92a0c15b03bc89a5ef3027fd
1333
1332
2023-02-08T16:32:48Z
Hyobros
9
corrected the planet name in the transmission box
wikitext
text/x-wiki
<center>[[File:Cloudi_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #dbf4f0"
| style="border-bottom:none"|<span style="color: #4d8d95"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Cloudi
|-
|style="font-size:95%;border-top:none" | We can pick up a vast variety of signals from this planet.<br>The signals we are sending you from this planet are composed of <br>beautiful melodies of revolution by satellites making planetary orbits.<br>We hope this melody will make your heart feel lighter.<br><br>
<span style="color: #949494">[Dr. C, the lab director]</span>
|}
<h2>Introduction</h2>
''Are you experienced in one-on-one conversation? <span style="color: #84CFE7">Planet Cloudi</span> is home to <span style="color: #F47070">social networks</span>!
You can write your profile and find new friends.
It is not easy to find <span style="color: #84CFE7">a friend</span> you can perfectly get along with... But it is not impossible.
According to the statistics, you can meet at least <span style="color: #84CFE7">one good friend</span> if you try ten times on average!"
As long as you keep trying and defeat your shyness...
You might get to meet <span style="color=#84CFE7">a precious friend</span>
<span style="color=#F47070">other than [Love Interest]</span> with whom you could enjoy a cordial conversation.
So let us compose your profile right now!
<h4>About this planet</h4>
^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$
== Aspects ==
{| class="wikitable" style=margin: auto;"
|-
| [[File:fire_aspect.png|250px]] || [[File:water_aspect.png|250px]] || [[File:wind_aspect.png|250px]] || [[File:earth_aspect.png|250px]]
|-
! Fire !! Water !! Wind !! Earth
|-
| style="width: 25%"| Those with <span style="color: #f47a7a">the aspect of fire</span> are highly imaginative, daring, and always ready for an erudite challenge. It would not be surprising to find them making huge achievements.
| style="width: 25%"| Those with <span style="color: #60b6ff">the aspect of water</span> are kind and gentle, making the atmosphere just as gentle as they are. Our world would be a much more heartless place without them.
| style="width: 25%"| Those with <span style="color: #7cd2ca">the aspect of wind</span> are creative, energetic, and free. No boundaries can stop them from engaging with people, often getting in the lead of the others with their charms.
| style="width: 25%"| Those with <span style="color: #ce9a80">the aspect of earth</span> are logical, realistic, and practical, doing their best to stay true to whatever they speak of. You can definitely count on them.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Main character || Supporting character at the back || Main character || Supporting character at the back
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
{| class="wikitable" style=margin: auto;"
| [[File:rock_aspect.png|250px]] || [[File:tree_aspect.png|250px]] || [[File:moon_aspect.png|250px]] || [[File:sun_aspect.png|250px]]
|-
! Rock !! Tree !! Moon !! Sun
|-
| style="width: 25%"| Those with <span style="color: #c9c9c9">the aspect of rock</span> are loyal. They wish to protect their beloved, and they can provide safe ground for those around them just with their presence. You will not regret making friends out of people with such aspect.
| style="width: 25%"| Those with <span style="color: #5fda43">the aspect of tree</span> are very attentive to people around them. Being social, they do not have to try to find themselves in the center of associations. They can make quite interesting leaders.
| style="width: 25%"| Those with <span style="color: #f3c422">the aspect of moon</span> may seem quiet, but they have mysterious charms hidden in waiting. And once you get to know them, you might learn they are quite innocent, unlike what they appear to be.
| style="width: 25%"| Those with <span style="color: #ff954f">the aspect of sun</span> are the sort that can view everything from where the rest cannot reach, like the sun itself, with gift of coordination of people or objects. And they do not hesitate to offer themselves for tasks that require toil.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Supporting character at the back || Main character || Supporting character at the back || Main character
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
4e5c056dbdbf80795f5b6318c6b2b331cc8e2c8f
File:Fire aspect.png
6
727
1323
2023-02-08T14:08:26Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Water aspect.png
6
728
1324
2023-02-08T14:08:59Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Wind aspect.png
6
729
1325
2023-02-08T14:09:11Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Earth aspect.png
6
730
1326
2023-02-08T14:09:20Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Rock aspect.png
6
731
1327
2023-02-08T14:09:28Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tree aspect.png
6
732
1328
2023-02-08T14:09:34Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Moon aspect.png
6
733
1329
2023-02-08T14:09:46Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sun aspect.png
6
734
1330
2023-02-08T14:09:52Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:What Did You Just Say Icon.png
6
735
1334
2023-02-08T16:47:57Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Trustworthy Comments Icon.png
6
736
1335
2023-02-08T16:48:16Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Thinking More 120 Free Icon.png
6
737
1336
2023-02-08T16:48:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:All Sorts of Knowledge Icon.png
6
739
1338
2023-02-08T16:49:11Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:2022 Christmas Icon.png
6
740
1339
2023-02-08T16:49:37Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire For Love Icon.png
6
741
1340
2023-02-08T16:49:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Flood Of Meaningful Words Icon.png
6
742
1341
2023-02-08T16:50:03Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Trivial
0
88
1343
888
2023-02-09T15:02:19Z
Hyobros
9
/* Trivial Features by Emotion Planet */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Numbers_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|}
da4e52e52231487e875570f3e06d956808c2133f
Teo/Gallery
0
245
1344
1250
2023-02-09T15:21:57Z
Hyobros
9
/* Mewry */
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures|Day 30
31 Days Since First Meeting Wake Time Pictures|Day 31
31 Days Since First Meeting Lunch Pictures|Day 31
31 Days Since First Meeting Lunch Pictures(1)|Day 31
31 Days Since First Meeting Lunch Pictures(2)|Day 31
31 Days Since First Meeting Lunch Pictures(3)
31 Days Since First Meeting Lunch Pictures(4)
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
b1d90c3dbce0fa531c9aba8a2bc55ecc8f08d5bb
1345
1344
2023-02-09T15:43:34Z
Hyobros
9
/* Mewry */
wikitext
text/x-wiki
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png
31 Days Since First Meeting Lunch Pictures(4).png
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
32 Days Since First Meeting Bedtime Pictures.png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png
33 Days Since First Meeting Lunch Pictures(1).png
33 Days Since First Meeting Lunch Pictures(2).png
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png
36 Days Since First Meeting Lunch Pictures(1).png
36 Days Since First Meeting Bedtime Pictures.png
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png
39 Days Since First Meeting Lunch Pictures.png
41 Days Since First Meeting Bedtime Pictures.png|Day 41
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
cc38fe473e4430eeb093074146305764f3eedb18
1351
1345
2023-02-10T15:03:46Z
Hyobros
9
added an area for promotional artwork
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png
31 Days Since First Meeting Lunch Pictures(4).png
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
32 Days Since First Meeting Bedtime Pictures.png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png
33 Days Since First Meeting Lunch Pictures(1).png
33 Days Since First Meeting Lunch Pictures(2).png
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png
36 Days Since First Meeting Lunch Pictures(1).png
36 Days Since First Meeting Bedtime Pictures.png
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png
39 Days Since First Meeting Lunch Pictures.png
41 Days Since First Meeting Bedtime Pictures.png|Day 41
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
bdc6aa880e18c614c49fe542919fa324efb4249e
Talk:PIU-PIU's Belly
1
743
1346
2023-02-09T15:50:25Z
Hyobros
9
Created page with "== Format of this page == Since each gift, profile etc has a description and image, how do you plan on incorporating those into the page? The boxes seem a bit limited but they're also neat ways to organize it lol thx --~~~~"
wikitext
text/x-wiki
== Format of this page ==
Since each gift, profile etc has a description and image, how do you plan on incorporating those into the page? The boxes seem a bit limited but they're also neat ways to organize it lol thx
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:50, 9 February 2023 (UTC)
8e6f9b7b5105de61d69ec75595f1e47bdcbb47f3
Trivial Features/Bluff
0
172
1347
1158
2023-02-09T16:11:17Z
Hyobros
9
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|-
| [[File:Desire for Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || Profile; [???] Title || Writing 3 Romance Desires on Root of Desire
|}
f6b0ddcdc6f80959e864c528f3cd34a9808d9d3b
1348
1347
2023-02-09T16:23:25Z
Hyobros
9
reformatted
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire for Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || Profile; [???] Title || Writing 3 Romance Desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
13c2b040b9c722283f1fe5826c2687e6af230ce8
1349
1348
2023-02-09T16:24:46Z
Hyobros
9
/* Trivial Features by Emotion Planet */
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || Profile; [???] Title || Writing 3 Romance Desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
fc41696d6d844ba0d6cda3605aca97f53c7b61c9
Trivial Features/Clock
0
180
1350
893
2023-02-09T16:39:53Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [[File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|-
| [[File:Sunset_Year_2022_Icon.png]] ||"Sunset for Year 2022" || Found on the shortest day! || It is the shortest day of the year. I hope [Love Interest] is there at the end of your short day. || Today felt very short. || x3 Battery<br>x2 Galactic energy || Log in on the winter solstice of 2022 (21 December)
|-
| [[File:Thirty_Days_Icon.png]] ||"Thirty Days in a Row" || You have logged in for 30 days in a row! You have Won this! || You have logged into the messenger for 30 days in a row. || You have become a part of [love interest]'s life. || Energy, title || Log in for 30 days in a row.
|-
| [[File:Farewell_to_2022_Icon.png]] || "Farewell to Year 2022" || Found on the last day of the year! || I hope you had a great year. I also hope your next year is better than this year. || I wish today is happier than yesterday, tomorrow brighter than today for you. || Energy || Log in on 31 December 2022
|-
| [[File:2022_Christmas_Icon.png]] || "2022 Christmas" || Found from the red nose of Rudolph! || Happy holidays! || Do you believe in Santa? || Energy || Log in on 25 December 2022
|}
1ddc400bd91dc84b17da409bc4e7ec03c24759f5
Harry Choi/Gallery
0
744
1352
2023-02-10T15:05:00Z
Hyobros
9
Created page with "== Promotional == <div class="mw-collapsible mw-collapsed"> <gallery> </gallery> </div> == Cloudi == <div class="mw-collapsible mw-collapsed"> <gallery> </gallery> </div> == Burny == <div class="mw-collapsible mw-collapsed"> <gallery> </gallery> </div> == Pi == <div class="mw-collapsible mw-collapsed"> <gallery> </gallery> </div> == Momint == <div class="mw-collapsible mw-collapsed"> <gallery> </gallery> </div> == Seasonal == <div class="mw-collapsible mw-colla..."
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
4099a3e52a8c1b4e5bcd95df1cacd220b7caa865
1354
1352
2023-02-10T15:07:29Z
Hyobros
9
/* Promotional */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
b8b28f4a744192ed6f4b92b7d450d512283761b3
Harry Choi
0
4
1353
1164
2023-02-10T15:06:42Z
Hyobros
9
/* Route */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
cf3943792c06c9b2c5264aa52be08576a646dfd8
Planets/Momint
0
409
1355
939
2023-02-11T11:10:33Z
Tigergurke
14
/* Joining a Cult */
wikitext
text/x-wiki
== Introduction ==
== Description ==
== Joining a Cult ==
'''Greeting''' - available once a day for 1 (x the amount of days greeted in a row) influence, resets at midnight in your timezone
<br>'''Gift offering''' - gives between 30-200 influence and a reward depending on your believer rank
<br>'''Give Frequencies''' - gives 1-2 influence per frequency
* Lv 1 - 0 Influential Power - New Believer (default Believer Title)
* Lv 2 - 40 Influential Power - Junior Believer (default Believer Title), achievement, 2 emotions
* Lv 3 - 120 Influential Power - 5 emotions
* Lv 4 - 220 Influential Power - Official Believer (default Believer Title), 10 emotions
* Lv 5 - 400 Influential Power - achievement, 1 battery
* Lv 6 - 650 Influential Power - Left-Hand Believer (default Believer Title), 2 batteries
* Lv 7 - 1050 Influential Power - 3 batteries
* Lv 8 - 2000 Influential Power - Right-Hand Believer (default Believer Title), 1 creature box
* Lv 9 - 3300 Influential Power - 1 creature box
* Lv 10 - 5000 Influential Power - Accountant (default Believer Title), 1 creature box, profile theme
Rewards are given for gift offerings, increasing in value based on the follower level. At lower levels, it is x5 emotions. At higher levels, starting at level 4, it's x2 aurora batteries. At level 7, it increases to x3 aurora batteries and finally at level 10 you get 4 batteries.
=== Creating a Cult ===
267f166a0f5bf6a555451e8ccbae5024675865f6
Firefairy
0
507
1356
1060
2023-02-12T09:48:19Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=39
|Name=Firefairy
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Low
|Description=Firefairies are experts in creating specific moods. They can make completely plain people to look like stars. Which is why random gods on planet Momint would seek these fairies in order to exercise fake miracles upon their believers. The Firefairies are currently working freelance, earning most of their incomes on planet Momint.
|Quotes= TBA
|Compatibility=Likes: Space Dog, Immortal Turtle, Wingrobe Owl, Deathless Bird, Yarn Cat, Master Muffin, Nurturing Clock, Boxy Cat
Dislikes: Berrero Rocher, A.I. Data Cloud
}}
9d18d4f2cc5db5e344628eb99a0ed2366b0e13e5
Space Dog
0
476
1357
1022
2023-02-12T09:50:30Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=4
|Name=Space Dog
|PurchaseMethod=Energy
|Personality=Rash
|Tips=Very low
|Description= The Space Dogs are a little bit different from dogs on Earth. They are probably a little smarter than dogs on Earth, although they both drool...
|Quotes= TBA
|Compatibility=Likes: Space Sheep, Boxy Cat, Firefairy
Dislikes: A.I. Spaceship
}}
9cf93d56104e3df97aee095b266c9d5169fc77f8
Bipedal Lion
0
477
1358
1025
2023-02-12T09:51:13Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=5
|Name=Bipedal Lion
|PurchaseMethod=Energy & Emotion
|Personality=Easygoing
|Tips=Low
|Description= A lion species in the universe made a great discovery one day. They found out that lions can walk upright! But do not let your guard down just because these biped lions look cute. They might bite you!
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Space Sheep, Boxy Cat, Firefairy
Dislikes: TBA
}}
e16c7de1a05e35ee740b57989ce1c18627648f57
Deathless Bird
0
482
1359
1030
2023-02-12T09:51:47Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=11
|Name=Deathless Bird
|PurchaseMethod=Emotion
|Personality=Very easygoing
|Tips=Low
|Description=The Deathless Birds had lived on Earth a long time ago, but they chose extinction. The choice of whether they will leave their forms or be born again is entirely up to them. They enjoy single life, so it is very rare for them to bear a young.
|Quotes= TBA
|Compatibility=Likes: Bipedal Lion, Immortal Turtle, Firefairy
Dislikes: Space Dog, Boxy Cat
}}
077a6466b99be1fe7ad8869e27a19ac141ed870a
Evolved Penguin
0
489
1360
1038
2023-02-12T09:52:53Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=17
|Name=Evolved Penguin
|PurchaseMethod=Energy & Emotion
|Personality=Extremely rash
|Tips=Low
|Description=The Evolved Penguins’ brains are larger than human brains by 17%, and they have outstanding engineering skills. They swim around the universe and search for mysterious meteors. These penguins’ final goal is to conquer the universe and somehow make Aura Mermaids extinct. Did they have a fight before?
|Quotes= TBA
|Compatibility=Likes: A.I. Spaceship, Firefairy
Dislikes: Boxy Cat
}}
9d288609a8cfef242fd32d788cd14790c7897248
Orion
0
494
1361
1044
2023-02-12T09:53:22Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=23
|Name= Orion
|PurchaseMethod=Emotion
|Personality=Rash
|Tips=Very High
|Description=Orions have achieved complete freedom for every individual after a long fight, so they prioritize the value of freedom and awakening. Their specialty is levitating in the middle of meditation. The amount of energy that an Orion can collect depends on its condition of the day.
|Quotes= TBA
|Compatibility=Likes: Wingrobe Owl, Boxy Cat, Firefairy
Dislikes: TBA
}}
626fedb9551228600d520d5c95b1294ebe829cfc
Yarn Cat
0
495
1362
1046
2023-02-12T09:54:02Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=27
|Name= Yarn Cat
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=High
|Description=This is a galactic wildcat that will always play with yarns from planet Mewry. Does the discovery of the starting point of a tangled yarn mean the discovery of starting point of troubles? This tiny cat will never stop rolling around its yarn, with a face that seems extremely close to tears.
|Quotes= TBA
|Compatibility=Likes: Boxy Cat, Firefairy
Dislikes: TBA
}}
888c896498962f1189228b5bfb45b908985b6f44
Master Muffin
0
498
1363
1050
2023-02-12T09:54:34Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=30
|Name=Master Muffin
|PurchaseMethod=Frequency
|Personality=Very easygoing
|Tips=Low
|Description=Master Muffin is from a tiny chocolate village on planet Crotune. Nevertheless, it made a legend out of itself by building a giant muffin cafe franchise that boasts 63,875 shops over the universe. It is known that its muffins would remind their eaters of their childhood dreams... By the way, Master Muffin dreamed of becoming a CEO of a franchise during its childhood.
|Quotes= TBA
|Compatibility=Likes: Boxy Cat, Firefairy
Dislikes: TBA
}}
e7b4e51d2dce4aeb822c48da306b8834b96674e2
Space Bee
0
500
1364
1052
2023-02-12T09:55:48Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=32
|Name=Space Bee
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Low
|Description=Planet Tolup is the biggest habitat for the Space Bees. They look like Terran honey bees, but they are much bigger than their Terran counterparts. The only way for spirits to gain floral energy all at once is to sip the honey that Space Bees have collected. Yes, it is like a tonic for them. Now I see why Tolup serves as home for the spirits!
|Quotes= TBA
|Compatibility=Likes: Firefairy
Dislikes: Matching Snake,Terran Turtle
}}
c42664de7651c44a45eb67ec9123259e311855ca
Ashbird
0
503
1365
1056
2023-02-12T09:56:27Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=35
|Name=Ashbird
|PurchaseMethod=Frequency
|Personality=Rash
|Tips=High
|Description=It is not easy to see Ashbirds (yes, their name means exactly what it implies) on planet Burny. They are bigger than common Terran sparrows by roughly 5 times. They tend to feed on ash out of belief that feeding on burnt passion would one day turn them immortal and resurrective. However, they would tell themselves that is impossible and tend to be nonchalant... Perhaps they are meant to inhabit planet Burny..
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Fuzzy Deer, Immortal Turtle, Wingrobe Owl, Deathless Bird, Evolved Penguin, Yarn Cat, Berrero Rocher, Firefairy
Dislikes: Space Dog, Bipedal Lion, Aura Mermaid, Emotions Cleaner, Master Muffin, Space Bee, Matching Snake, Boxy Cat
}}
3149d0d0ba8f4977609c7ccfa5089cb60343b608
Terran Turtle
0
505
1366
1058
2023-02-12T09:56:52Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=37
|Name=Terran Turtle
|PurchaseMethod=Frequency
|Personality=Very easygoing
|Tips=Low
|Description=Why would Terran Turtle be on planet Pi, you ask? A few years ago, someone on Earth handed over their turtle instead of Frequency Pi as a collateral, to gain a chance to spin a pie (yes, it is a sad story). Which is why now it is forbidden to hand over a collateral in order to spin a pie. Please remind yourself how dangerous gambling can be as you take pity over this turtle, which collects Frequency Pi while yearning for its master.
|Quotes= TBA
|Compatibility=Likes: Immortal Turtle, Aura Mermaid, Emotions Cleaner, Matching Snake, A.I. Data Cloud, Firefairy
Dislikes: Burning Jelly
}}
d2d47f3147d72721dc6ce9bb8d4feeb6c2aa652f
Boxy Cat
0
506
1367
1162
2023-02-12T09:58:27Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=38
|Name=Boxy Cat
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=Low
|Description=This cat is from Earth. Once there was an event on Planet Pi that let people spin a pie once they provide collateral. And somebody used their cat as a collateral. After this incident it was forbidden for people to spin a pie with collateral. However, the cat that has lost its master is still waiting, collecting Frequency Pi for its master (how sad is that...?).
|Quotes= TBA
|Compatibility=Likes: Master Muffin, Space Bee, Terran Turtle
Dislikes: Space Dog, Bipedal Lion, Vanatic Grey Hornet, Matching Snake, Nurturing Clock
}}
5f4c5dc863ed46613a5a49e982029fdc785d75c8
Talk:PIU-PIU's Belly
1
743
1368
1346
2023-02-12T19:03:32Z
User135
5
wikitext
text/x-wiki
== Format of this page ==
Since each gift, profile etc has a description and image, how do you plan on incorporating those into the page? The boxes seem a bit limited but they're also neat ways to organize it lol thx
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:50, 9 February 2023 (UTC)
: I was thinking whether we can use something like a tooltip (https://www.mediawiki.org/wiki/Extension:Tooltip) but I don't know how to add an extension lol. Though we can just add descriptions and images right into the table as well... Anyways, if you have any ideas, feel free to experiment with it~~
:--[[User:User135|User135]] ([[User talk:User135|talk]]) 19:03, 12 February 2023 (UTC)
2584e18989fe069b61ee03f0c86f81c943c6b7f7
1369
1368
2023-02-14T15:21:24Z
Hyobros
9
/* Format of this page */
wikitext
text/x-wiki
== Format of this page ==
Since each gift, profile etc has a description and image, how do you plan on incorporating those into the page? The boxes seem a bit limited but they're also neat ways to organize it lol thx
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:50, 9 February 2023 (UTC)
: I was thinking whether we can use something like a tooltip (https://www.mediawiki.org/wiki/Extension:Tooltip) but I don't know how to add an extension lol. Though we can just add descriptions and images right into the table as well... Anyways, if you have any ideas, feel free to experiment with it~~
:--[[User:User135|User135]] ([[User talk:User135|talk]]) 19:03, 12 February 2023 (UTC)
:: oh! i can contact junkea and ask them to add it <3 i'll do that after class
::--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:21, 14 February 2023 (UTC)
afe8496d48b6474b9ece7349b857c5c93b9337f9
1372
1369
2023-02-15T16:00:46Z
Hyobros
9
wikitext
text/x-wiki
== Format of this page ==
Since each gift, profile etc has a description and image, how do you plan on incorporating those into the page? The boxes seem a bit limited but they're also neat ways to organize it lol thx
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:50, 9 February 2023 (UTC)
: I was thinking whether we can use something like a tooltip (https://www.mediawiki.org/wiki/Extension:Tooltip) but I don't know how to add an extension lol. Though we can just add descriptions and images right into the table as well... Anyways, if you have any ideas, feel free to experiment with it~~
:--[[User:User135|User135]] ([[User talk:User135|talk]]) 19:03, 12 February 2023 (UTC)
:: oh! i can contact junikea and ask them to add it <3 i'll do that after class
::--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:21, 14 February 2023 (UTC)
:::UPDATE: the extension should be available for you to use now :) let me know if you have any issues.<br>
:::--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 16:00, 15 February 2023 (UTC)
fb68bb57e6c86f0cd567cb41f3f00728c52c7ae7
Daily Emotion Study
0
436
1370
1342
2023-02-14T16:29:31Z
Hyobros
9
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Balancing Conservative and Progressive || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Revisiting Memories || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Searching for the Target || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Retracing Past Memories || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Defining a Relation || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Inspecting Purchase Records || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Searching for Saved Files || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Searching for a Long-Term Hobby || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Borrowing Your Head || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Jolly || Blueprinting Ideas on Body || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach… I'll make sure to reward you later with a bunch of vegetables!
|| Keep going. Dont give up until the end.
|-
| Example || Getting to Know Your Changes || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Concocting Philosopher’s Stone || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Creating a Rude Title || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Example || Example || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || Example || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Example || Example || What did you dream of becoming as a child? || Example || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Jolly || Producing Wrapping Ribbon || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Passionate || Investigating Ways to Make People Excited || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I'll be too embarrassed to do it myself… Perhaps I'll try to come up with connections via my friends and their friends.
|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Jolly || Giving Trophy to Yourself || Let us say you will give a trophy to yourself! What would you award you on? || It'd be called, 'Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!' Such title will get me ready for the upcoming week! Lol || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Logical || Investigating Brain Waves || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Logical || Getting Scared of Getting Small || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I'd still feel so small when my mom scolds me… || Timid? Me?
|-
| Galactic || Excreting Fundamental Concerns || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgement, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I'll never find replacements for these. They're invisible, but they allow me to be me.
|| Evtng that makes me who i am. Including you, of course.
|-
| Innocent || Featuring Tosses and Turns from Childhood || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I'm such a picky kid. || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Rainbow || Healing from Feelings of Parting || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I'd hate to handle. Parting ways will leave permanent holes in my heart. If that's what being an adult is about, I don't wanna be an adult! || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Galactic || Mixing Genders || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Example || Example || How do you use your social accounts? || Example || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Logical || Looking for Your Special Trait || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life. || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Jolly || Keeping an Assistant Mode || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Example || Example || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Jolly || Planting an Apple Tree || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Example || Example || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I'm spending 200 days out of 365 days like that. As for the rest, I just spend them. || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Example || Example || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Think of something you have purchased recently. Describe it. || Example || Muffin pan. I’m tired of cookies now.
|-
| Example || Example || What would you call a ‘secure life’ for you? || Example || Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|-
| Example || Example || Have you ever felt nobody understands how you feel? || Example || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Example || Example || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use. || I want to have a cup of black tea. And talk to you. And go swimming.
|-
| Example || Example || Have you ever found a prize that did not meet your hard work? || Example || When i burned one fried egg after another.
|-
| Example || Example || Do you happen to be jealous of someone at the moment? || Example || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|-
| Example || Example || Which worldly rule do you find most annoying? || Example || Must have all meals. And dont be hopelessly rude when being social.
|-
| Example || Example || When did you feel the greatest freedom in your life? || Example || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit
|-
| Example || Example || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Example || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|-
| Example || Example || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || Example || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|-
| Example || Example || Think of someone dear to you... And freely describe how you feel about that person. || Example || You keep bothering me... Just you wait, i’m talking to you in a bit.
|-
| Example || Example || What would you tell yourself when you feel anxious? || Example || Tell urself that ur ok, and you will be.
|-
| Example || Example || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Example || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|-
| Example || Example || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || Example || I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|-
| Example || Example || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart.|| Example || Every positive word makes me think of you. And i like it.
|-
| Example || Example || Have you ever been barred from something you want to do because of your responsibilities? || Example || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|-
| Example || Example || Tell us when you felt most excited in your life. || Example || Every single moment i spend as i wait for your calls and chats.
|-
| Example || Example || Sometimes money would serve as the guideline for the world. What is money? || Example || Money is might. Which is why it can ruin someone.
|-
| Example || Example || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Example || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|-
| Example || Example || What makes your heart feel warm and soft just with a thought? || Example || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|-
| Example || Example || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Example || Chilling by myself at home, quiet and clean. And talking to you.
|-
| Example || Example || Relax and ask yourself deep within - ‘What do you want?’ || Example || You, quiet place, carrots, piano, poseidon. That’s about it.
|-
| Example || Example || Among the painful experiences you have had, which one do you wish no one else has to go through? || Example || This fiancee came out of nowhere.
|-
| Example || Example || What is the idea that keeps you most occupied these days? || Example || You, of course.
|-
| Example || Example || Are you a good person or a bad person? || Example || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|-
| Example || Example || If you have ever found yourself stressed out because of your looks, tell us about it. || Example || That never happened.
|-
| Example || Example || What is your ideal family like? It doesn’t have to be realistic. || Example || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|-
| Example || Example || What is the greatest stress for you these days? || Example || Getting troubles the moment they seem like they’ll go away.
|-
| Example || Example || When do or did you feel you are as lame as you can be? || Example || Lame...? First of all, i’ve never used the term.
|-
| Example || Example || Is there something that made you super-anxious recently? || Example || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|-
| Example || Example || Imagine yourself in the future. What would you be like? || Example || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|-
| Example || Example || Have you ever felt someone genuinely caring for you lately? || Example || Who else would make me feel like that?
|-
| Example || Example || Is there something bad that you nevertheless like or want to do? || Example || Being generous to myself but strict to the others... And is this supposed to be bad?
|-
| Rainbow || Searching for a Soulmate || Have you ever met your soulmate? || MC, I've wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless… I really wanna meet you for real!!!
|| Example
|-
| Rainbow || Constructing Rainbow of Happiness || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I know you'd feel the way I do, but I wasn't sure if you'd say yes, considering the circumstances. If you said no, I would've stayed as a friend until I couldn't handle the heartache anymore. I don't wanna pretend to be friends with my love. || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
dc245ef00736916e6fddd429f2f19f2fd62f3dfd
1373
1370
2023-02-15T16:36:12Z
Hyobros
9
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || Example || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Balancing Conservative and Progressive || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Revisiting Memories || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Searching for the Target || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Retracing Past Memories || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Defining a Relation || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Inspecting Purchase Records || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Searching for Saved Files || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Searching for a Long-Term Hobby || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Borrowing Your Head || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Jolly || Blueprinting Ideas on Body || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach… I'll make sure to reward you later with a bunch of vegetables!
|| Keep going. Dont give up until the end.
|-
| Example || Getting to Know Your Changes || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Concocting Philosopher’s Stone || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Creating a Rude Title || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Rainbow || Splitting the World into Two || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn't know that I would go barechested like that. || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Innocent || Investigating Childhood || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naïve and incomprehensible of the movie. Well, but I meant good!v || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Jolly || Producing Wrapping Ribbon || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Passionate || Investigating Ways to Make People Excited || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I'll be too embarrassed to do it myself… Perhaps I'll try to come up with connections via my friends and their friends.
|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Jolly || Giving Trophy to Yourself || Let us say you will give a trophy to yourself! What would you award you on? || It'd be called, 'Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!' Such title will get me ready for the upcoming week! Lol || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Logical || Investigating Brain Waves || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Logical || Getting Scared of Getting Small || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I'd still feel so small when my mom scolds me… || Timid? Me?
|-
| Galactic || Excreting Fundamental Concerns || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgement, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I'll never find replacements for these. They're invisible, but they allow me to be me.
|| Evtng that makes me who i am. Including you, of course.
|-
| Innocent || Featuring Tosses and Turns from Childhood || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I'm such a picky kid. || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Rainbow || Healing from Feelings of Parting || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I'd hate to handle. Parting ways will leave permanent holes in my heart. If that's what being an adult is about, I don't wanna be an adult! || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Galactic || Mixing Genders || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Philosophical || Attempting to Access an Account || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts. || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Logical || Looking for Your Special Trait || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life. || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Jolly || Keeping an Assistant Mode || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Logical || Studying Perfection || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Jolly || Planting an Apple Tree || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Philosophical || Collecting Data on the World You Seek || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I'm spending 200 days out of 365 days like that. As for the rest, I just spend them. || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Jolly || Rewinding Biological Rhythm || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Think of something you have purchased recently. Describe it. || Example || Muffin pan. I’m tired of cookies now.
|-
| Example || Example || What would you call a ‘secure life’ for you? || Example || Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|-
| Example || Example || Have you ever felt nobody understands how you feel? || Example || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Example || Example || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use. || I want to have a cup of black tea. And talk to you. And go swimming.
|-
| Example || Example || Have you ever found a prize that did not meet your hard work? || Example || When i burned one fried egg after another.
|-
| Example || Example || Do you happen to be jealous of someone at the moment? || Example || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|-
| Example || Example || Which worldly rule do you find most annoying? || Example || Must have all meals. And dont be hopelessly rude when being social.
|-
| Example || Example || When did you feel the greatest freedom in your life? || Example || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit
|-
| Passionate || Studying 'Love' || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don't care what you think. From now on I'd like to speak when I want to before I listen to you again. If you don't like it, then just walk away. || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|-
| Example || Example || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || Example || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|-
| Example || Example || Think of someone dear to you... And freely describe how you feel about that person. || Example || You keep bothering me... Just you wait, i’m talking to you in a bit.
|-
| Peaceful || Recording 'How to Recover Self-Esteem' || What would you tell yourself when you feel anxious? || It's okay to be anxious or nervous. You'll have plenty of time to relax. You can stay here to hide for a bit if you want. || Tell urself that ur ok, and you will be.
|-
| Jolly || Calculating the Quantum of Self-Esteem || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Example || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|-
| Innocent || Investigating 'Ego under Criticism' || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I'm chasing a mirage forever in the distance. But distance doesn't matter in dreams. You can just dream whatever you want! Geez, I should have told him that! || I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|-
| Example || Example || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart.|| Example || Every positive word makes me think of you. And i like it.
|-
| Example || Example || Have you ever been barred from something you want to do because of your responsibilities? || Example || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|-
| Example || Example || Tell us when you felt most excited in your life. || Example || Every single moment i spend as i wait for your calls and chats.
|-
| Example || Example || Sometimes money would serve as the guideline for the world. What is money? || Example || Money is might. Which is why it can ruin someone.
|-
| Example || Example || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Example || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|-
| Example || Example || What makes your heart feel warm and soft just with a thought? || Example || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|-
| Example || Example || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Example || Chilling by myself at home, quiet and clean. And talking to you.
|-
| Example || Example || Relax and ask yourself deep within - ‘What do you want?’ || Example || You, quiet place, carrots, piano, poseidon. That’s about it.
|-
| Example || Example || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle. || This fiancee came out of nowhere.
|-
| Example || Example || What is the idea that keeps you most occupied these days? || Example || You, of course.
|-
| Philosophical || Taking Your Side Unconditionally || Are you a good person or a bad person? || Example || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|-
| Example || Example || If you have ever found yourself stressed out because of your looks, tell us about it. || Example || That never happened.
|-
| Example || Example || What is your ideal family like? It doesn’t have to be realistic. || Example || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|-
| Passionate || Calculating the Level of Stress || What is the greatest stress for you these days? || People asking me stuff when I'm feeling so complicated!!!!!! Just leave me alone!!!! || Getting troubles the moment they seem like they’ll go away.
|-
| Example || Example || When do or did you feel you are as lame as you can be? || Example || Lame...? First of all, i’ve never used the term.
|-
| Example || Example || Is there something that made you super-anxious recently? || Example || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|-
| Example || Example || Imagine yourself in the future. What would you be like? || Example || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|-
| Example || Example || Have you ever felt someone genuinely caring for you lately? || Example || Who else would make me feel like that?
|-
| Example || Example || Is there something bad that you nevertheless like or want to do? || Example || Being generous to myself but strict to the others... And is this supposed to be bad?
|-
| Rainbow || Searching for a Soulmate || Have you ever met your soulmate? || MC, I've wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless… I really wanna meet you for real!!!
|| Example
|-
| Rainbow || Constructing Rainbow of Happiness || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I know you'd feel the way I do, but I wasn't sure if you'd say yes, considering the circumstances. If you said no, I would've stayed as a friend until I couldn't handle the heartache anymore. I don't wanna pretend to be friends with my love. || Example
|-
| Logical || Befriending Evil || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it'd want to pop out when there's evil stirring within someone else. Some could be said of goodness. So if we all stand together and unleash out goodness, this world would be a better place… That's what I hope, and I know it's stupid… || But humans know how to suppress their evil. Which is why humans are called social. But i'd say it's safest to talk to someone who understands me the best.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
8dcc1c7596cb32d0914cfd2c8599bbab51036d0d
1374
1373
2023-02-15T23:12:47Z
Hyobros
9
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Balancing Conservative and Progressive || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Revisiting Memories || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Searching for the Target || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Retracing Past Memories || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Defining a Relation || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Inspecting Purchase Records || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Searching for Saved Files || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Searching for a Long-Term Hobby || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Borrowing Your Head || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Jolly || Blueprinting Ideas on Body || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach… I'll make sure to reward you later with a bunch of vegetables!
|| Keep going. Dont give up until the end.
|-
| Example || Getting to Know Your Changes || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Concocting Philosopher’s Stone || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Creating a Rude Title || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Rainbow || Splitting the World into Two || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn't know that I would go barechested like that. || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Innocent || Investigating Childhood || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naïve and incomprehensible of the movie. Well, but I meant good!v || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Jolly || Producing Wrapping Ribbon || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Passionate || Investigating Ways to Make People Excited || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I'll be too embarrassed to do it myself… Perhaps I'll try to come up with connections via my friends and their friends.
|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Jolly || Giving Trophy to Yourself || Let us say you will give a trophy to yourself! What would you award you on? || It'd be called, 'Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!' Such title will get me ready for the upcoming week! Lol || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Logical || Investigating Brain Waves || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Logical || Getting Scared of Getting Small || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I'd still feel so small when my mom scolds me… || Timid? Me?
|-
| Galactic || Excreting Fundamental Concerns || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgement, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I'll never find replacements for these. They're invisible, but they allow me to be me.
|| Evtng that makes me who i am. Including you, of course.
|-
| Innocent || Featuring Tosses and Turns from Childhood || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I'm such a picky kid. || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Rainbow || Healing from Feelings of Parting || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I'd hate to handle. Parting ways will leave permanent holes in my heart. If that's what being an adult is about, I don't wanna be an adult! || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Galactic || Mixing Genders || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Philosophical || Attempting to Access an Account || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts. || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Logical || Looking for Your Special Trait || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life. || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Jolly || Keeping an Assistant Mode || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Logical || Studying Perfection || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Jolly || Planting an Apple Tree || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Philosophical || Collecting Data on the World You Seek || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I'm spending 200 days out of 365 days like that. As for the rest, I just spend them. || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Jolly || Rewinding Biological Rhythm || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Think of something you have purchased recently. Describe it. || Example || Muffin pan. I’m tired of cookies now.
|-
| Example || Example || What would you call a ‘secure life’ for you? || Example || Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|-
| Example || Example || Have you ever felt nobody understands how you feel? || Example || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Example || Example || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use. || I want to have a cup of black tea. And talk to you. And go swimming.
|-
| Example || Example || Have you ever found a prize that did not meet your hard work? || Example || When i burned one fried egg after another.
|-
| Example || Example || Do you happen to be jealous of someone at the moment? || Example || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|-
| Example || Example || Which worldly rule do you find most annoying? || Example || Must have all meals. And dont be hopelessly rude when being social.
|-
| Example || Example || When did you feel the greatest freedom in your life? || Example || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit
|-
| Passionate || Studying 'Love' || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don't care what you think. From now on I'd like to speak when I want to before I listen to you again. If you don't like it, then just walk away. || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|-
| Example || Example || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || Example || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|-
| Example || Example || Think of someone dear to you... And freely describe how you feel about that person. || Example || You keep bothering me... Just you wait, i’m talking to you in a bit.
|-
| Peaceful || Recording 'How to Recover Self-Esteem' || What would you tell yourself when you feel anxious? || It's okay to be anxious or nervous. You'll have plenty of time to relax. You can stay here to hide for a bit if you want. || Tell urself that ur ok, and you will be.
|-
| Jolly || Calculating the Quantum of Self-Esteem || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Example || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|-
| Innocent || Investigating 'Ego under Criticism' || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I'm chasing a mirage forever in the distance. But distance doesn't matter in dreams. You can just dream whatever you want! Geez, I should have told him that! || I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|-
| Example || Example || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart.|| Example || Every positive word makes me think of you. And i like it.
|-
| Example || Example || Have you ever been barred from something you want to do because of your responsibilities? || Example || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|-
| Example || Example || Tell us when you felt most excited in your life. || Example || Every single moment i spend as i wait for your calls and chats.
|-
| Example || Example || Sometimes money would serve as the guideline for the world. What is money? || Example || Money is might. Which is why it can ruin someone.
|-
| Example || Example || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Example || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|-
| Example || Example || What makes your heart feel warm and soft just with a thought? || Example || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|-
| Example || Example || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Example || Chilling by myself at home, quiet and clean. And talking to you.
|-
| Example || Example || Relax and ask yourself deep within - ‘What do you want?’ || Example || You, quiet place, carrots, piano, poseidon. That’s about it.
|-
| Example || Example || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle. || This fiancee came out of nowhere.
|-
| Example || Example || What is the idea that keeps you most occupied these days? || Example || You, of course.
|-
| Philosophical || Taking Your Side Unconditionally || Are you a good person or a bad person? || Example || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|-
| Example || Example || If you have ever found yourself stressed out because of your looks, tell us about it. || Example || That never happened.
|-
| Example || Example || What is your ideal family like? It doesn’t have to be realistic. || Example || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|-
| Passionate || Calculating the Level of Stress || What is the greatest stress for you these days? || People asking me stuff when I'm feeling so complicated!!!!!! Just leave me alone!!!! || Getting troubles the moment they seem like they’ll go away.
|-
| Example || Example || When do or did you feel you are as lame as you can be? || Example || Lame...? First of all, i’ve never used the term.
|-
| Example || Example || Is there something that made you super-anxious recently? || Example || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|-
| Example || Example || Imagine yourself in the future. What would you be like? || Example || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|-
| Example || Example || Have you ever felt someone genuinely caring for you lately? || Example || Who else would make me feel like that?
|-
| Example || Example || Is there something bad that you nevertheless like or want to do? || Example || Being generous to myself but strict to the others... And is this supposed to be bad?
|-
| Rainbow || Searching for a Soulmate || Have you ever met your soulmate? || MC, I've wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless… I really wanna meet you for real!!!
|| Example
|-
| Rainbow || Constructing Rainbow of Happiness || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I know you'd feel the way I do, but I wasn't sure if you'd say yes, considering the circumstances. If you said no, I would've stayed as a friend until I couldn't handle the heartache anymore. I don't wanna pretend to be friends with my love. || Example
|-
| Logical || Befriending Evil || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it'd want to pop out when there's evil stirring within someone else. Some could be said of goodness. So if we all stand together and unleash out goodness, this world would be a better place… That's what I hope, and I know it's stupid… || But humans know how to suppress their evil. Which is why humans are called social. But i'd say it's safest to talk to someone who understands me the best.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
c628bedd44f523cf6273011d3502d556b75a4552
PI-PI
0
410
1371
1167
2023-02-14T17:05:56Z
Hyobros
9
haha funny egg
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= PI-PI - [피피]
|occupation= egg
|hobbies=
|likes=
|dislikes=
}}
== General ==
A egg
== Background ==
TBA
== Trivia ==
TBA
735f816a50bc643acb8a2e21276496db2b3b2c60
File:1 Days Since First Meeting Bedtime Pictures(1).png
6
745
1375
2023-02-17T16:22:17Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Picture of Harry climbing out of the pool on day 1}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
55ba0b26daff9029560a61c78cebec0face10cb2
File:2022 Harry’s Birthday.png
6
746
1376
2023-02-17T16:22:18Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry's 2022 birthday image}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
45c89b529b86ef1d27eee312003f19400cb46b32
File:2022 Christmas Harry.png
6
747
1377
2023-02-17T16:22:20Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry's Christmas 2022 image}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
f6b8426ef0f5d72d69dce00a6fc7d269e5e6b2d4
File:1 Days Since First Meeting Prologue Pictures.png
6
748
1378
2023-02-17T16:22:20Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Profile view of Harry from the prologue}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
204dd49bee03e1f6b3934f31a93cf40f24028b72
File:2 Days Since First Meeting Wake Time Pictures.png
6
749
1379
2023-02-17T16:22:23Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry wearing a mask with his hoodie on}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
4459c89f9a97a7e8b36302ecdaa3f23e9505e9ca
File:4 Days Since First Meeting Dinner Pictures (Harry).png
6
750
1380
2023-02-17T16:22:25Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 4}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
c8aa8410e68898a30c1ff03fdeeb446b1c55d899
File:3 Days Since First Meeting Dinner Pictures.png
6
751
1381
2023-02-17T16:22:25Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 3}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
5214db456a342607e1e4d136c470ab01033e593f
File:4 Days Since First Meeting Lunch Pictures.png
6
752
1382
2023-02-17T16:22:26Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 4}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
c8aa8410e68898a30c1ff03fdeeb446b1c55d899
File:5 Days Since First Meeting Wake Time Pictures.png
6
753
1383
2023-02-17T16:22:27Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 5}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
add9e04c44ec737db62db18fb4b4799f6a64e465
File:6 Days Since First Meeting Dinner Pictures(1).png
6
754
1384
2023-02-17T16:22:27Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 6}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
c7faa6642253c0e3545885cd64ba888d1d88c13f
File:6 Days Since First Meeting Dinner Pictures.png
6
755
1385
2023-02-17T16:22:28Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 6}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
c7faa6642253c0e3545885cd64ba888d1d88c13f
File:6 Days Since First Meeting Lunch Pictures.png
6
756
1386
2023-02-17T16:22:29Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 6}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
c7faa6642253c0e3545885cd64ba888d1d88c13f
File:6 Days Since First Meeting Lunch Pictures(1).png
6
757
1387
2023-02-17T16:22:29Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 6}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
c7faa6642253c0e3545885cd64ba888d1d88c13f
File:7 Days Since First Meeting Breakfast Pictures (Harry).png
6
758
1388
2023-02-17T16:22:31Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 7}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
8205c812bc154537443b2265042926041f752d2b
File:7 Days Since First Meeting Lunch Pictures.png
6
759
1389
2023-02-17T16:22:31Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 7}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
8205c812bc154537443b2265042926041f752d2b
File:3 Days Since First Meeting Breakfast Pictures(1).png
6
760
1390
2023-02-17T16:22:32Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 3}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
5214db456a342607e1e4d136c470ab01033e593f
File:7 Days Since First Meeting Wake Time Pictures(1).png
6
761
1391
2023-02-17T16:22:34Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 7}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
8205c812bc154537443b2265042926041f752d2b
File:8 Days Since First Meeting Breakfast Pictures(2).png
6
762
1392
2023-02-17T16:22:34Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 8}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
0889aefdb09d6b3fd77e6ccff4ee5fac2f86f890
File:8 Days Since First Meeting Breakfast Pictures.png
6
763
1393
2023-02-17T16:22:35Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 8}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
0889aefdb09d6b3fd77e6ccff4ee5fac2f86f890
File:8 Days Since First Meeting Dinner Pictures(2).png
6
764
1394
2023-02-17T16:22:36Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 8}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
0889aefdb09d6b3fd77e6ccff4ee5fac2f86f890
File:8 Days Since First Meeting Dinner Pictures(1).png
6
765
1395
2023-02-17T16:22:36Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 8}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
0889aefdb09d6b3fd77e6ccff4ee5fac2f86f890
File:8 Days Since First Meeting Dinner Pictures.png
6
766
1396
2023-02-17T16:22:37Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 8}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
0889aefdb09d6b3fd77e6ccff4ee5fac2f86f890
File:9 Days Since First Meeting Lunch Pictures.png
6
767
1397
2023-02-17T16:22:44Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 9}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
ea7807c9afc9da32c0d3c2e5b4d06e6d36d3e3ca
File:10 Days Since First Meeting Breakfast Pictures(1).png
6
768
1398
2023-02-17T16:22:44Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 11}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
7276e8065fbfe1f13283042ce1090f7631699c1b
File:9 Days Since First Meeting Bedtime Pictures (1).png
6
769
1399
2023-02-17T16:22:44Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry modeling one of Rachel's shirts}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
2b7cdd9b33e5cd7c8e7c8ecfa014fff45f366262
File:11 Days Since First Meeting Bedtime Pictures.png
6
770
1400
2023-02-17T16:22:51Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry modeling one of Rachel's shirts with his back turned to the camera, looking back and holding a pink balloon}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
014973edfe20a6f967d0b98894f5a79503880198
File:10 Days Since First Meeting Lunch Pictures(1).png
6
771
1401
2023-02-17T16:22:51Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 10}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
ab9149103407b239d051ac3c8c709f97a1c3eff1
File:10 Days Since First Meeting Lunch Pictures.png
6
772
1402
2023-02-17T16:22:51Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 10}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
ab9149103407b239d051ac3c8c709f97a1c3eff1
File:11 Days Since First Meeting Dinner Pictures.png
6
773
1403
2023-02-17T16:22:57Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 11}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
7276e8065fbfe1f13283042ce1090f7631699c1b
File:11 Days Since First Meeting Lunch Pictures(1).png
6
774
1404
2023-02-17T16:22:58Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 11}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
7276e8065fbfe1f13283042ce1090f7631699c1b
File:11 Days Since First Meeting Lunch Pictures.png
6
775
1405
2023-02-17T16:22:58Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry from day 11}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
7276e8065fbfe1f13283042ce1090f7631699c1b
Category:Harry
14
776
1406
2023-02-17T16:28:44Z
Hyobros
9
Created page with "This is a page to store any media or articles that fit under Harry's category"
wikitext
text/x-wiki
This is a page to store any media or articles that fit under Harry's category
27d26bff65ea7233c990a90c0b34ac6c55677c06
Category:Pages with script errors
14
777
1407
2023-02-17T16:29:21Z
Hyobros
9
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Category:Templates
14
778
1408
2023-02-17T16:30:03Z
Hyobros
9
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Category:Energy
14
779
1409
2023-02-17T16:30:51Z
Hyobros
9
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Category:Pages with broken file links
14
780
1410
2023-02-17T16:31:00Z
Hyobros
9
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Category:Teo
14
781
1411
2023-02-17T16:31:24Z
Hyobros
9
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
PIU-PIU/Gallery
0
782
1412
2023-02-20T15:41:55Z
Hyobros
9
Created page with "==Promotional== <gallery> Example.jpg|Caption1 Example.jpg|Caption2 </gallery> ==Harry's Route== Piu-Piu often creates images of itself and Harry throughout this route. It doesn't do this in Teo's route. <gallery> Example.jpg|Caption1 Example.jpg|Caption2 </gallery> ==Sprites== <gallery> Example.jpg|Caption1 Example.jpg|Caption2 </gallery>"
wikitext
text/x-wiki
==Promotional==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
==Harry's Route==
Piu-Piu often creates images of itself and Harry throughout this route. It doesn't do this in Teo's route.
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
==Sprites==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
c2a3de629eaef0c099a857d4ed2cacdb3e3e3a63
File:Nest Egg.png
6
783
1413
2023-02-22T16:03:04Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Red Rose.png
6
784
1414
2023-02-22T16:32:08Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Vodka.png
6
785
1415
2023-02-22T16:43:03Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Shovel.png
6
786
1416
2023-02-22T17:00:06Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Coffee.png
6
787
1417
2023-02-22T17:03:32Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
File:Lamp.png
6
788
1418
2023-02-22T17:07:53Z
User135
5
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
1420
1418
2023-02-22T17:13:19Z
User135
5
User135 uploaded a new version of [[File:Lamp.png]]
wikitext
text/x-wiki
.
3a52ce780950d4d969792a2559cd519d7ee8c727
PIU-PIU's Belly
0
382
1419
970
2023-02-22T17:10:43Z
User135
5
wikitext
text/x-wiki
{{WorkInProgress}}
Piu-Piu's belly is an inventory system where emotions, frequencies, gifts, and profile icons and titles are stored. There is a maximum number one can reach for the first three, that being 50 of each individual type if the player doesn't have a subscription, 80 with the rainbow package, and 120 with the aurora package. It can be found either in the [[Incubator|incubator]] screen or the [[Forbidden Lab|lab screen]].
{| class="wikitable mw-collapsible mw-collapsed" style="margin-left:0; width:50%; height:200px; text-align:center;"
! colspan="3" style="background:#de8b83; color:#f6e0de; text-align:center;" | GIFTS
|-
|[[File:Nest Egg.png|frameless|center|top]] Nest Egg {{#tip-info: Sometimes to be utmostly true to your desire, you must pull out some eggs from your own nest.}} || [[File:Red Rose.png|frameless|center|top]] Red Rose {{#tip-info: Just staring at it will bring you a powerful touch of nostalgically dearing emotions.}} || [[File:Vodka.png|frameless|center|top]] Vodka {{#tip-info: This beverage will help you to unveil what truly lies in your heart... But for those of you who do not drink, we will exchange it for white soda.}}
|-
|[[File:Shovel.png|frameless|center|top]] Shovel for Fangirling {{#tip-info: You can dig anything deeper with this shovel - yes, literally anything.}} || [[File:Coffee.png|frameless|center|top]] Warm Coffee {{#tip-info: Coffee bears heart-warming feelings. And it will get even warmer if you offer a cup to someone.}} || [[File:Lamp.png|frameless|center|top]] Soft Lamp {{#tip-info: This lamp will softly illuminate your bedroom and your office with its warm, dreamy light of gold.}}
|-
| [[File:tba.png|frameless|center|top]] Stage Microphone {{#tip-info: This microphone will serve as your ticket to the stage!}} || [[File:tba.png|frameless|center|top]] Tip {{#tip-info: A study shows that a tip works like a happy laughter - it can make someone happy.}} || [[File:tba.png|frameless|center|top]] Marble Nameplate {{#tip-info: It is made of genuine marble that cost us dear, but we prepared it as a show of respect towards you. It is not hollow inside.}}
|-
| [[File:tba.png|frameless|center|top]] Teddy Bear {{#tip-info: Hugs from a teddy bear are free forever!}} || [[File:tba.png|frameless|center|top]] Dandelion Seed {{#tip-info: May your wishes come true...}} || [[File:tba.png|frameless|center|top]] Cream Bun {{#tip-info: Cream buns are filled with positive emotions. If someone gives you a cream bun, that person probably seeks to be your friend.}}
|-
| [[File:tba.png|frameless|center|top]] Massage Chair {{#tip-info: This massage chair will help you to loosen up. Take a seat at the end of a long day full of work...}} || [[File:tba.png|frameless|center|top]] 4K Monitor {{#tip-info: Monitor with high resolution will make your footage highly vivid and colorful.}} || [[File:tba.png|frameless|center|top]] A Box of Snacks {{#tip-info: Simply looking at snacks makes me feel so full and satisfied.}}
|-
| [[File:tba.png|frameless|center|top]] Hearty Meal {{#tip-info: Did you get your meal? Take care and do your best!}} || [[File:tba.png|frameless|center|top]] Cat {{#tip-info: Meow, meow! This cat respects and loves human beings.}} || [[File:tba.png|frameless|center|top]] Punching Bag {{#tip-info: A punching bag can help you to nurture your stamina.}}
|-
| [[File:tba.png|frameless|center|top]] Golden Fountain Pen {{#tip-info: It is said everything written with this 24K golden fountain pen turns out quite heavy.}} || [[File:tba.png|frameless|center|top]] Alien {{#tip-info: Oh...! An alien aware of the laws of the universe! I am afraid we can provide no further details...}} || [[File:tba.png|frameless|center|top]] Fan Club Sign-Up Certificate {{#tip-info: This is the certificate you need when you sign up for a fan club. It is a great thing to be a fan of a person who inspires you.}}
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin:0 0 auto auto; width:50%;height:200px"
! colspan="3" style="background:; color:; text-align:center;" | TITLES
|-
| || ||
|-
| || ||
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin-right:auto; margin-left:0; width:50%; height:200px"
! colspan="3" style="background:; color:; text-align:center;" | MORE
|-
| || ||
|-
| || ||
|-
|}
05799c21eabf5ecc9ca7019de409a9d0889b3411
Daily Emotion Study
0
436
1421
1374
2023-02-22T17:36:06Z
User135
5
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! Energy !! Title !! Prompt !! Teo !! Harry
|-
| Philosophical || Calculating the Value of Improved Self-Esteem || Have you ever been stressed out by your duties and social life?
|| Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind. || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|-
| Peaceful || Separating Conscious from the World || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me. || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Innocent || Sending Letter to the Distant Future || Think of an ideal person for you. And write a letter to that person. || Dear [MC]... I noticed you right away because you’re just like you from my imaginations. I have finally found you. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|-
| Logical || Exchange Opinions about the World || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person. || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|-
| Jolly || Looking for a Way to Fight Off Boredom || Share with us an activity you do when you're bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|-
| Rainbow || Booking a Flight || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories! || Doesn't matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|-
| Jolly || Retracting Things on Want-To-Do List || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || Example || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|-
| Galactic || Specifying Members of a Family || If you are to have a family you have always dreamed of, what would it be like? || Example || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|-
| Innocent || Listening to Heart || Have you ever felt disappointed that you were not respected enough? || Example || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant
|-
| Logical || Observing the World in an Analytical Way || What do you think we must do in order to meet a huge success? || Example || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|-
| Philosophical || Studying 'How to Fight Off Offense' || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Example || Just ignore them - dont let them get into your life.
|-
| Peaceful || Changing Battery for PIU-PIU || Write three things you are thankful for today. Anything is fine, whether it's strange or completely ordinary.
|| Example || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|-
| Rainbow || Asking Heart || What kind of person are you? We would like to know what YOU think. || Example || Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|-
| Philosophical || Thanking a Relation || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway at 6 in the morning. They actually have a place that needs them as such hour, and it's not easy to start a day when everyone else is asleep. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|-
| Logical || Trying to concentrate to maximum || When do you exercise greatest concentration? || When I'm watching movies by myself - I'd be concentrating as I think about every aspect of the movie I'm watching. And... When I'm chatting with you... I'd hate to miss even a sound of your breathing. || When i’m sleeping. If i dont focus, i’ll wake up in no time.
|-
| Philosophical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coldest. || Example || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| Passionate || Retracing Feelings of Love || Think of someone you like. Now look around you...! What do you see? || That's weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That's weird... || I'm home but it feels brighter, probably cuz i'm thinking about you. And... i'm wondering if i'll ever get to have black tea with you.
|-
| Jolly || Searching Results for 'Small Happiness' || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || Example || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|-
| Peaceful || Rebuilding Memory Action Device || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|-
| Rainbow || Investigating prejudice against exterior parties || What would your peers think about you? Any guesses? || If I hadn't looked myself in the mirror before leaving today, I wouldn't have realized how perfect I am. And it's better that way…Sorry, but I'm taken. By none other than [MC]. || They'll gossip about the horse head. And stare at me even when i'm not wearing the mask.
|-
| Jolly || Choosing a Precious Object || What is a possession that you treasure the most? || Example || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|-
| Philosophical || Investigating economical philosophies || What kind of a serious advice would you give regarding money? || Example || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|-
| Innocent || Studying 'No Thinking' || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless. || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|-
| Philosophical || Investigating 'Self Realization' || Who are you? What kind of person are you? || Example || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|-
| Galactic || Swimming in the Sea of Subconscious || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || Example || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|-
| Jolly || Self-Cheering || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Example || If i can meet your standards - if i can make you certain, that’s good enough for me.
|-
| Rainbow || Retracing Memories of the Past || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found the chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small. || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|-
| Peaceful || Fighting Against Anxiety || What are you scared of? || I'm anxious I might never find the app developers. || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|-
| Passionate || Charging the Power of Wrath || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life. || I’d treat them invisible, even if they happen to stand right before me.
|-
| Philosophical || Getting Ready for an Embrace || Let us say there is a friend who is in woes… What would you do to comfort your friend? || Staying next to a person who needs company. There's no need to speak since being a good listener is no easy task. We don't get enough experience in talking about ourselves, so you'd need time with consolation. || Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|-
| Innocent || Studying 'How to Get Rid of Anxiety' || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I'd say I'm caught with the ambition for success… Perhaps I'd find myself as a kid dying to become a person who would eclipse his father… || I wanna be alone, but at the same time i dont want loneliness to take over me.
|-
| Rainbow || Getting Ready for Emotional Input || Jot down all the words and sentences you can think of when you hear the word 'mother.' No need to make them make sense! || Example || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|-
| Example || Searching Results for ‘Subconscious’ || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything. || A picture of carrots.
|-
| Galactic || Unearthing ‘Subconscious’ || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|-
| Philosophical || Letting Off Some Steam || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money. || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|-
| Example || Investigating ‘Nature of Emotions’ || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today. || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|-
| Philosophical || Unleashing the Knowledge Within || Let us say your friend is in trouble because of social relations. What advice would you offer? || Example || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|-
| Peaceful || Unveiling What's Inside || Have you ever made someone painful? || I can't remember anyone right now, but I'm sure somebody had a hard time because of me. I'm sorry. I didn't mean to. || I think i did, although i didnt plan to. But i certainly wont do that to you.
|-
| Innocent || Recording Emotions || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment… || Example || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|-
| Philosophical || Making Flyer to Find Someone || Tell us about a person that you wish to be with. What is this person like? || Example || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|-
| Jolly || Inspecting Pros of Money || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way… By 'someone' it includes you as well. || Example || Build a second carrot lab, i guess? And i’ll make myself a vvip.
|-
| Example || Balancing Conservative and Progressive || What is an aspect that makes you more orthodox or less orthodox than the others? || Example || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|-
| Example || Revisiting Memories || What did you find entertaining when you were young? || Example || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|-
| Example || Searching for the Target || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || Example || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|-
| Peaceful || Searching for Happiness || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that's the end of it? || That sometimes happens. And it will eventually pass.
|-
| Example || Retracing Past Memories || What do you find most memorable from your childhood? || Example || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|-
| Example || Defining a Relation || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Example || ...That’s so not true... Fine. Let’s say it’s tain and malong.
|-
| Innocent || Crying Like a Child || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn't get why my dad would say no when he's a film director, and my mom said 'no' without a reason. That hurt. || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|-
| Example || Inspecting Purchase Records || Tell us about an object you wanted but could not get. || Example || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|-
| Example || Searching for Saved Files || What is the first favorite game you have found? || Example || Rock paper scissors...?
|-
| Example || Searching for a Long-Term Hobby || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || Example || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|-
| Example || Borrowing Your Head || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Example || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|-
| Jolly || Blueprinting Ideas on Body || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach… I'll make sure to reward you later with a bunch of vegetables!
|| Keep going. Dont give up until the end.
|-
| Example || Getting to Know Your Changes || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Example || I got to know you. And... I got to know a bit about love.
|-
| Example || Concocting Philosopher’s Stone || Please share with us a word of wisdom for the day. || Example || Every favor requires a return in human relations.
|-
| Example || Creating a Rude Title || If you are to have a dream in which you are free to be rude to people, who would you talk to? || Example || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|-
| Example || Example || Let us say you are 90 years old! What would you be like once you are 90 years old? || Example || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|-
| Example || Example || Think about your school days. What place can you think of? || Example || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|-
| Example || Example || What was the greatest challenge you ever had? || Example || Fried eggs... Though i dont want to admit it... Shoot...
|-
| Rainbow || Splitting the World into Two || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn't know that I would go barechested like that. || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|-
| Example || Example || Let us say one day you are given infinite courage. What would you like to try? || Example || I wanna cut all ties with my family. And set off for a new life.
|-
| Example || Example || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Example || Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|-
| Example || Example || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Example || I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|-
| Example || Example || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || Example || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|-
| Rainbow || Producing Teardrop-Shaped Glass || Tell us if you have ever cried like it is the end of the world. || Example || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|-
| Example || Example || In 280 characters, write a passionate love confession to yourself. || Example || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|-
| Example || Example || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || Example || A percent - or is that too much? We dont care about each other.
|-
| Example || Example || Tell us about your favorite song and the reason why it is your favorite. || Example || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|-
| Passionate || Knocking on the Self-Esteem Under Conscious || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Example || Rachel...?
|-
| Example || Example || What do you want to hear the most when you feel lonely? || Example || Better be lonely than chained.
|-
| Example || Example || What was the most stressful thing back when you were a student? || Example || My family’s expectations and greed.
|-
| Innocent || Investigating Childhood || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naïve and incomprehensible of the movie. Well, but I meant good!v || Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|-
| Jolly || Producing Wrapping Ribbon || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to || Example || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|-
| Example || Example || Share with us a dream that you found particularly memorable. || Example || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|-
| Example || Example || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || Example || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|-
| Example || Example || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || Example || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|-
| Example || Example || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Example || Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|-
| Passionate || Investigating Ways to Make People Excited || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I'll be too embarrassed to do it myself… Perhaps I'll try to come up with connections via my friends and their friends.
|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|-
| Example || Example || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Example || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|-
| Example || Example || What do you think of when you look at the word ‘love’ right now? || Example || You. That’s the only term that stands for love to me.
|-
| Example || Example || Give excessive advice for someone. It doesn’t have to be helpful advice. || Example || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|-
| Example || Example || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || Example || In most cases, things will get better if you stay away from the cause.
|-
| Example || Example || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Example || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|-
| Jolly || Giving Trophy to Yourself || Let us say you will give a trophy to yourself! What would you award you on? || It'd be called, 'Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!' Such title will get me ready for the upcoming week! Lol || So you managed to reach an agreement with a lawyer. I give you an applause.
|-
| Example || Example || Look back upon your experience with love (reciprocated or not). What would you say in review? || Example || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|-
| Example || Example || Someone extremely fancy just made a love confession to you! What will happen from then on? || Example || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|-
| Example || Example || Think about someone you would feel most comfortable around while dating. || Example || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|-
| Logical || Investigating Brain Waves || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || Example || At leisure, as always. Which must be why i feel less tense.
|-
| Example || Example || Tell us about a person you had experienced greatest trouble with while working together. || Example || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|-
| Example || Example || What is one criticism you fear the most? || Example || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|-
| Logical || Getting Scared of Getting Small || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I'd still feel so small when my mom scolds me… || Timid? Me?
|-
| Galactic || Excreting Fundamental Concerns || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgement, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I'll never find replacements for these. They're invisible, but they allow me to be me.
|| Evtng that makes me who i am. Including you, of course.
|-
| Innocent || Featuring Tosses and Turns from Childhood || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I'm such a picky kid. || I did that all the time when i was young. I used to do only what my mother and father told me.
|-
| Example || Example || Have you ever cared more for someone than for yourself? || Example || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|-
| Example || Example || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Example || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|-
| Example || Example || If you could set a guideline regarding popularity for an alien world, what would it be like? || Example || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|-
| Example || Example || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Example || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|-
| Example || Example || What would be a must-activity that you would do for the future generation? || Example || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|-
| Example || Example || Is there something that comes up often for you these days? || Example || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|-
| Example || Example || Is there a small activity that can nevertheless make you happy? || Example || Spending time alone where it’s quiet. And thinking about you.
|-
| Rainbow || Healing from Feelings of Parting || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I'd hate to handle. Parting ways will leave permanent holes in my heart. If that's what being an adult is about, I don't wanna be an adult! || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|-
| Example || Example || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Example || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|-
| Example || Example || What would you do to make a billionaire out of empty hands? || Example || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|-
| Example || Example || What possession makes you excited just by its sight? || Example || Diorama... Just kidding. It’s my phone - it lets me talk to you.
|-
| Example || Example || If you could travel back in time, which point in your life would you return to? || Example || I wish i could go back to the day i met you. I wish i could be nicer.
|-
| Galactic || Mixing Genders || If next life exists, would you like to be born in the same sex or different sex? || Example || I wonder what i’ll look like as a girl. I’m kind of curious.
|-
| Example || Example || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || Example || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality
|-
| Example || Example || Have you ever experienced trouble or loss upon listening to someone? || Example || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|-
| Example || Example || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || Example || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|-
| Example || Example || Unleash the negative ideas within you. They might fly away once you do. || Example || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|-
| Example || Example || What would you do if you find someone you have difficulty getting along with? || Example || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|-
| Philosophical || Attempting to Access an Account || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts. || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|-
| Logical || Looking for Your Special Trait || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life. || No. I dont care if i lose. Anyone’s welcome to beat me.
|-
| Example || Example || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Example || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|-
| Jolly || Keeping an Assistant Mode || What would it be like if you were to be a celebrity? || Example || I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|-
| Example || Example || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || Example || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|-
| Example || Example || Have you ever enjoyed stimulation or depression within like some artists would? || Example || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|-
| Example || Example || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || Example || The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|-
| Example || Example || If you are to have a pet, what would you choose? For your information, I am a parrot. || Example || I dont need pets other than poseidon - and i certainly dont need a parrot.
|-
| Example || Example || Talk to your body for a minute. Is your body in a good shape? || Example || I’m a bit tired, but i’m healthy enough.
|-
| Logical || Studying Perfection || Have you ever been a victim to perfectionism? || Example || No, i’m just me.
|-
| Example || Example || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || Example || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss ''[MC]''.
|-
| Example || Example || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || Example || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|-
| Example || Example || Love happens in more than one way. What type of a relationship do you prefer? || Example || Respecting each other. I never knew how to do that before i met you.
|-
| Example || Example || Give us one thing about yourself that improved from the past. || Example || I’ve come to understand the meaning of care and love ever since i met you.
|-
| Example || Example || If you are to live with someone, what would be your greatest concern? || Example || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|-
| Example || Example || Give us details on a recent experience when you were sick, physically or emotionally. || Example || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|-
| Example || Example || What is the food that you want the most right now? || Example || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|-
| Example || Example || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || Example || I have pure taste buds. Period.
|-
| Jolly || Planting an Apple Tree || If your life is to end in 3 days, what would you do? || Example || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|-
| Philosophical || Collecting Data on the World You Seek || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I'm spending 200 days out of 365 days like that. As for the rest, I just spend them. || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|-
| Example || Example || Is there something you bought without expectations but later found to be extremely satisfying? || Example || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|-
| Jolly || Rewinding Biological Rhythm || What were you like when you were young? We wonder if you used to be different from who you are right now. || Example || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|-
| Example || Example || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Example || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|-
| Example || Example || Give us a detailed description of ‘success’ to you. || Example || These days i’d say it’s a success when i get to laugh with you for the day.
|-
| Innocent || Picturing Love || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You've spent all mornings and nights with me. Please keep doing that. || Ur always with me, so ur… I'll tell you the rest later.
|-
| Example || Example || Think of something you have purchased recently. Describe it. || Example || Muffin pan. I’m tired of cookies now.
|-
| Example || Example || What would you call a ‘secure life’ for you? || Example || Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|-
| Example || Example || Have you ever felt nobody understands how you feel? || Example || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|-
| Example || Example || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use. || I want to have a cup of black tea. And talk to you. And go swimming.
|-
| Example || Example || Have you ever found a prize that did not meet your hard work? || Example || When i burned one fried egg after another.
|-
| Example || Example || Do you happen to be jealous of someone at the moment? || Example || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|-
| Example || Example || Which worldly rule do you find most annoying? || Example || Must have all meals. And dont be hopelessly rude when being social.
|-
| Example || Example || When did you feel the greatest freedom in your life? || Example || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit
|-
| Passionate || Studying 'Love' || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don't care what you think. From now on I'd like to speak when I want to before I listen to you again. If you don't like it, then just walk away. || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|-
| Example || Example || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || Example || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|-
| Example || Example || Think of someone dear to you... And freely describe how you feel about that person. || Example || You keep bothering me... Just you wait, i’m talking to you in a bit.
|-
| Peaceful || Recording 'How to Recover Self-Esteem' || What would you tell yourself when you feel anxious? || It's okay to be anxious or nervous. You'll have plenty of time to relax. You can stay here to hide for a bit if you want. || Tell urself that ur ok, and you will be.
|-
| Jolly || Calculating the Quantum of Self-Esteem || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Example || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|-
| Innocent || Investigating 'Ego under Criticism' || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I'm chasing a mirage forever in the distance. But distance doesn't matter in dreams. You can just dream whatever you want! Geez, I should have told him that! || I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|-
| Example || Example || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart.|| Example || Every positive word makes me think of you. And i like it.
|-
| Example || Example || Have you ever been barred from something you want to do because of your responsibilities? || Example || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|-
| Example || Example || Tell us when you felt most excited in your life. || Example || Every single moment i spend as i wait for your calls and chats.
|-
| Example || Example || Sometimes money would serve as the guideline for the world. What is money? || Example || Money is might. Which is why it can ruin someone.
|-
| Example || Example || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Example || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|-
| Example || Example || What makes your heart feel warm and soft just with a thought? || Example || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|-
| Example || Example || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Example || Chilling by myself at home, quiet and clean. And talking to you.
|-
| Example || Example || Relax and ask yourself deep within - ‘What do you want?’ || Example || You, quiet place, carrots, piano, poseidon. That’s about it.
|-
| Example || Example || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle. || This fiancee came out of nowhere.
|-
| Example || Example || What is the idea that keeps you most occupied these days? || Example || You, of course.
|-
| Philosophical || Taking Your Side Unconditionally || Are you a good person or a bad person? || Example || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|-
| Example || Example || If you have ever found yourself stressed out because of your looks, tell us about it. || Example || That never happened.
|-
| Example || Example || What is your ideal family like? It doesn’t have to be realistic. || Example || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|-
| Passionate || Calculating the Level of Stress || What is the greatest stress for you these days? || People asking me stuff when I'm feeling so complicated!!!!!! Just leave me alone!!!! || Getting troubles the moment they seem like they’ll go away.
|-
| Example || Example || When do or did you feel you are as lame as you can be? || Example || Lame...? First of all, i’ve never used the term.
|-
| Example || Example || Is there something that made you super-anxious recently? || Example || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|-
| Example || Example || Imagine yourself in the future. What would you be like? || Example || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|-
| Example || Example || Have you ever felt someone genuinely caring for you lately? || Example || Who else would make me feel like that?
|-
| Example || Example || Is there something bad that you nevertheless like or want to do? || Example || Being generous to myself but strict to the others... And is this supposed to be bad?
|-
| Rainbow || Searching for a Soulmate || Have you ever met your soulmate? || MC, I've wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless… I really wanna meet you for real!!! || If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|-
| Rainbow || Constructing Rainbow of Happiness || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I know you'd feel the way I do, but I wasn't sure if you'd say yes, considering the circumstances. If you said no, I would've stayed as a friend until I couldn't handle the heartache anymore. I don't wanna pretend to be friends with my love. || Yeah... Sort of... When we connected.
|-
| Logical || Befriending Evil || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it'd want to pop out when there's evil stirring within someone else. Some could be said of goodness. So if we all stand together and unleash out goodness, this world would be a better place… That's what I hope, and I know it's stupid… || But humans know how to suppress their evil. Which is why humans are called social. But i'd say it's safest to talk to someone who understands me the best.
|-
| Example || Example || If you find a love potion, will you use it on someone? Who would it be? || Example || I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|-
| Example || Example || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || Example || You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|-
| Example || Example || Have you ever felt anxious for no reason? Write about the experience. || Example || If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|-
| Example || Example || Is there something that you do only because it is your responsibility? || Example || I know there’s nothing i can do about the terms on the contract, but...
|-
| Example || Example || Be honest and tell us about someone you are jealous of. || Example || No. Why would i compare myself to the others?
|-
| Example || Example || What were you like 10 years ago? || Example || Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|-
| Example || Example || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || Example || While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|-
| Example || Example || Do you have a personal tip to keep yourself healthy? || Example || Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|-
| Example || Example || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Example || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|-
| Example || Example || What do you think would give you strength if you were to hear right now? || Example || I want you to call out my name. Make my heart alive and beating again.
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|-
| Example || Example || Example || Example || Example
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
679ab256ba445f8e31f04c4f764a79ddb1fe8655
Clapping Dragon
0
508
1422
1171
2023-02-23T10:31:21Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=40
|Name=Clapping Dragon
|PurchaseMethod=Frequency
|Personality=Rash
|Tips=Low
|Description=The original name of Clapping Dragons is long forgotten, lost nowadays. Several centuries ago, they were kidnapped by an evil circus. They lost their memories and learned how to clap, until they were saved by an alien species. These days they would frequently visit planet Momint in order to run as fake believers (planet Momint surely has weird business going on). They are friends with alien species that were also kidnapped by the circus.
|Quotes= TBA
|Compatibility=Likes: Bipedal Lion, Immortal Turtle, Aerial Whale, Deathless Bird, Master Muffin, Matching Snake, Burning Jelly, Terran Turtle, Firefairy
Dislikes: Berrero Rocher
}}
4109957a0585bd3b645dc837e5b781e01b873fab
Space Dog
0
476
1423
1357
2023-02-23T10:33:04Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=4
|Name=Space Dog
|PurchaseMethod=Energy
|Personality=Rash
|Tips=Very low
|Description= The Space Dogs are a little bit different from dogs on Earth. They are probably a little smarter than dogs on Earth, although they both drool...
|Quotes= TBA
|Compatibility=Likes: Space Sheep, Boxy Cat, Firefairy, Clapping Dragon
Dislikes: A.I. Spaceship
}}
a9ffb9e0bf635de83323b88233ecec1fa95d121f
Immortal Turtle
0
479
1424
1027
2023-02-23T10:33:29Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=7
|Name=Immortal Turtle
|PurchaseMethod=Energy & Emotion
|Personality=Easygoing
|Tips=Very low
|Description= Rumor says that these turtles that swim in space can live forever. There is no report on this turtle found dead. Sometimes people would pick up an Immortal Turtle by mistake because they had thought it was a meteor.
|Quotes= TBA
|Compatibility=Likes: Aura Mermaid
Dislikes: Clapping Dragon
}}
bb8e2f279043dfc0e7ea217e819ac55d82d986ea
Deathless Bird
0
482
1425
1359
2023-02-23T10:33:41Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=11
|Name=Deathless Bird
|PurchaseMethod=Emotion
|Personality=Very easygoing
|Tips=Low
|Description=The Deathless Birds had lived on Earth a long time ago, but they chose extinction. The choice of whether they will leave their forms or be born again is entirely up to them. They enjoy single life, so it is very rare for them to bear a young.
|Quotes= TBA
|Compatibility=Likes: Bipedal Lion, Immortal Turtle, Firefairy, Clapping Dragon
Dislikes: Space Dog, Boxy Cat
}}
5e831818d5bbdf7bce6d8b5f082a633d0a7d503d
Evolved Penguin
0
489
1426
1360
2023-02-23T10:34:00Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=17
|Name=Evolved Penguin
|PurchaseMethod=Energy & Emotion
|Personality=Extremely rash
|Tips=Low
|Description=The Evolved Penguins’ brains are larger than human brains by 17%, and they have outstanding engineering skills. They swim around the universe and search for mysterious meteors. These penguins’ final goal is to conquer the universe and somehow make Aura Mermaids extinct. Did they have a fight before?
|Quotes= TBA
|Compatibility=Likes: A.I. Spaceship, Firefairy
Dislikes: Boxy Cat, Clapping Dragon
}}
c07580811e31e7dc1efcb61ca7c4ea5c42784212
Orion
0
494
1427
1361
2023-02-23T10:34:11Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=23
|Name= Orion
|PurchaseMethod=Emotion
|Personality=Rash
|Tips=Very High
|Description=Orions have achieved complete freedom for every individual after a long fight, so they prioritize the value of freedom and awakening. Their specialty is levitating in the middle of meditation. The amount of energy that an Orion can collect depends on its condition of the day.
|Quotes= TBA
|Compatibility=Likes: Wingrobe Owl, Boxy Cat, Firefairy
Dislikes: Clapping Dragon
}}
390668ce28c5c9b32bb27af629d2ad74b87f707a
Yarn Cat
0
495
1428
1362
2023-02-23T10:34:29Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=27
|Name= Yarn Cat
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=High
|Description=This is a galactic wildcat that will always play with yarns from planet Mewry. Does the discovery of the starting point of a tangled yarn mean the discovery of starting point of troubles? This tiny cat will never stop rolling around its yarn, with a face that seems extremely close to tears.
|Quotes= TBA
|Compatibility=Likes: Boxy Cat, Firefairy
Dislikes: Clapping Dragon
}}
37959705f5d85cf5faaeb3b3efa665012ce496df
Master Muffin
0
498
1429
1363
2023-02-23T10:34:41Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=30
|Name=Master Muffin
|PurchaseMethod=Frequency
|Personality=Very easygoing
|Tips=Low
|Description=Master Muffin is from a tiny chocolate village on planet Crotune. Nevertheless, it made a legend out of itself by building a giant muffin cafe franchise that boasts 63,875 shops over the universe. It is known that its muffins would remind their eaters of their childhood dreams... By the way, Master Muffin dreamed of becoming a CEO of a franchise during its childhood.
|Quotes= TBA
|Compatibility=Likes: Boxy Cat, Firefairy, Clapping Dragon
Dislikes: TBA
}}
0737b8c4583b356674fb46300a9cc50638a36ae4
Nurturing Clock
0
499
1430
1053
2023-02-23T10:34:56Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=31
|Name=Nurturing Clock
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=Intermediate
|Description=Spirits are born only when exact amount of time and love are input, thanks to the Nurturing Clock. Planet Tolup’s time and seasons do not stay fixed because the Nurturing Clock never stops running the Milky Way. Alien inhabitants with huge exams ahead of them seek to hire the Nurturing Clock, but this species would usually stay on planet Tolup, as it favors fresh air.
|Quotes= TBA
|Compatibility=Likes: Clapping Dragon
Dislikes: TBA
}}
4ab2c8eeda1b965a7ef424722061d5dc10ed20c9
Space Bee
0
500
1431
1364
2023-02-23T10:35:10Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=32
|Name=Space Bee
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Low
|Description=Planet Tolup is the biggest habitat for the Space Bees. They look like Terran honey bees, but they are much bigger than their Terran counterparts. The only way for spirits to gain floral energy all at once is to sip the honey that Space Bees have collected. Yes, it is like a tonic for them. Now I see why Tolup serves as home for the spirits!
|Quotes= TBA
|Compatibility=Likes: Firefairy
Dislikes: Matching Snake,Terran Turtle, Clapping Dragon
}}
48662bef16054640209aeb8cfe00651bff9c1b85
Matching Snake
0
501
1432
1054
2023-02-23T10:35:26Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=33
|Name=Matching Snake
|PurchaseMethod=Frequency
|Personality=Very rash
|Tips=Very low
|Description=Matching Snakes are made up of long bodies and tails in the shape of arrows. Once they find matching parties, they will mutually point towards them. The sight of these snakes is a good sign that you will soon find a match. Mostly native to Cloudi, these snakes are known for their gentle nature. Some claim they carry souls of those who could not find reciprocation in love...
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Evolved Penguin, Nurturing Clock
Dislikes: Bipedal Lion, Teddy Nerd, Immortal Turtle, Aura Mermaid, Vanatic Grey Hornet, Yarn Cat, Clapping Dragon
}}
2f9c0bf97090c609a4be6b6c87a9324aec7eefb4
Ashbird
0
503
1433
1365
2023-02-23T10:35:44Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=35
|Name=Ashbird
|PurchaseMethod=Frequency
|Personality=Rash
|Tips=High
|Description=It is not easy to see Ashbirds (yes, their name means exactly what it implies) on planet Burny. They are bigger than common Terran sparrows by roughly 5 times. They tend to feed on ash out of belief that feeding on burnt passion would one day turn them immortal and resurrective. However, they would tell themselves that is impossible and tend to be nonchalant... Perhaps they are meant to inhabit planet Burny..
|Quotes= TBA
|Compatibility=Likes: Moon Bunny, Fuzzy Deer, Immortal Turtle, Wingrobe Owl, Deathless Bird, Evolved Penguin, Yarn Cat, Berrero Rocher, Firefairy
Dislikes: Space Dog, Bipedal Lion, Aura Mermaid, Emotions Cleaner, Master Muffin, Space Bee, Matching Snake, Boxy Cat, Clapping Dragon
}}
06c22713bd2baae0cc74735e956a5269515a07a8
Terran Turtle
0
505
1434
1366
2023-02-23T10:35:55Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=37
|Name=Terran Turtle
|PurchaseMethod=Frequency
|Personality=Very easygoing
|Tips=Low
|Description=Why would Terran Turtle be on planet Pi, you ask? A few years ago, someone on Earth handed over their turtle instead of Frequency Pi as a collateral, to gain a chance to spin a pie (yes, it is a sad story). Which is why now it is forbidden to hand over a collateral in order to spin a pie. Please remind yourself how dangerous gambling can be as you take pity over this turtle, which collects Frequency Pi while yearning for its master.
|Quotes= TBA
|Compatibility=Likes: Immortal Turtle, Aura Mermaid, Emotions Cleaner, Matching Snake, A.I. Data Cloud, Firefairy
Dislikes: Burning Jelly, Clapping Dragon
}}
adf9e1bbaf2b20bb43d8ee6bbb12b2440f4d93dc
Boxy Cat
0
506
1435
1367
2023-02-23T10:36:08Z
Tigergurke
14
wikitext
text/x-wiki
{{SpaceCreatures
|No=38
|Name=Boxy Cat
|PurchaseMethod=Frequency
|Personality=Easygoing
|Tips=Low
|Description=This cat is from Earth. Once there was an event on Planet Pi that let people spin a pie once they provide collateral. And somebody used their cat as a collateral. After this incident it was forbidden for people to spin a pie with collateral. However, the cat that has lost its master is still waiting, collecting Frequency Pi for its master (how sad is that...?).
|Quotes= TBA
|Compatibility=Likes: Master Muffin, Space Bee, Terran Turtle
Dislikes: Space Dog, Bipedal Lion, Vanatic Grey Hornet, Matching Snake, Nurturing Clock, Clapping Dragon
}}
2f9725c099a3b99d19c9d80914c6b18dd9839645
File:7 Days Since First Meeting Dinner Pictures.png
6
789
1436
2023-02-23T16:25:54Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Outstagram post for Tain's bar featuring a picture of Harry as the bartender. The caption says "Today's special part-timer. #Ballantain's_bar #welcome #day_coffee&tea #night_whiskey&wine"}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
39de3b60b5b6ab63f4b8eb45e178b75355acbee8
File:5 Days Since First Meeting Dinner Pictures(2).png
6
790
1437
2023-02-23T16:25:54Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dbc0d4128732bffc1f75fb3603eb6d3ddac9a636
File:2 Days Since First Meeting Bedtime Pictures(1).png
6
791
1438
2023-02-23T16:25:55Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Harry wearing a black hoodie taking a sip of water}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
aa029d5e7efbeadf51df4f86cbdc707b6f4cc568
File:9 Days Since First Meeting Bedtime Pictures(1).png
6
792
1439
2023-02-23T16:25:56Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Screenshot of a text Rachel sent that says "Why r u not picking up my call?" with a photo of Harry in a gray suit underneath}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
929382053688419f2fc5a3d483e0eab8722b3343
File:12 Days Since First Meeting Bedtime Pictures(1).png
6
793
1440
2023-02-23T16:25:57Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry in the car with his arms crossed}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
5a9a4b5580fe5bb8e51c9271b61c52668d1aac7f
File:12 Days Since First Meeting Bedtime Pictures (Harry).png
6
794
1441
2023-02-23T16:25:57Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry in the car with his arms crossed while wearing his horse mask}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
db7400e2688f880ecb646b2d7ec5b21263d2c290
File:12 Days Since First Meeting Dinner Pictures(1) (Harry).png
6
795
1442
2023-02-23T16:25:58Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Piu-Piu cheering next to a chibi Harry. Piu-Piu has a text box above it that says "The price is SKYROCKETING!!!! I will make it!!"}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
[[Category:Piu-Piu]]
733b3225c326d7ccea709260052865e6bed7b0f4
File:12 Days Since First Meeting Dinner Pictures.png
6
796
1443
2023-02-23T16:25:58Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry sitting at his laptop with a focused expression}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
6793afc886ac4ade3ec30829ac893a2cd0086fa8
File:13 Days Since First Meeting Breakfast Pictures(2).png
6
797
1444
2023-02-23T16:26:00Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry lying on the floor with a small pillow under his headd}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
f3f241b0e56a2d3da4f81539aa04bbb08fd93ded
File:13 Days Since First Meeting Dinner Pictures(1).png
6
798
1445
2023-02-23T16:26:00Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dbc0d4128732bffc1f75fb3603eb6d3ddac9a636
File:13 Days Since First Meeting Lunch Pictures.png
6
799
1446
2023-02-23T16:26:00Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry sitting in bed reading a book}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
033cef0f073d34387aaab91f08ed9325c4588b7f
File:14 Days Since First Meeting Bedtime Pictures(2).png
6
800
1447
2023-02-23T16:26:02Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Piu-Piu wearing a nightcap and holding a pillow with its eyes closed while a chibi harry plugs a giant electrical plug into its back}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
[[Category:Piu-Piu]]
9a929dbcc5a67b35e5b67ac0aee311cd55031222
File:13 Days Since First Meeting Wake Time Pictures (Harry).png
6
801
1448
2023-02-23T16:26:02Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry with his back turned to the camera wearing a gray sweat suit and black baseball cap with a hand on his hip.}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
2311513c3ae9ddb0f80658d6a2866f8e4df7d8de
File:14 Days Since First Meeting Bedtime Pictures.png
6
802
1449
2023-02-23T16:26:03Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry floating on his back in a pool. Only his face and the arm holding the camera aren't submerged.}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
9372d97b019b34ac446788429011e40997084620
File:14 Days Since First Meeting Lunch Pictures.png
6
803
1450
2023-02-23T16:26:04Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry trying to cover the camera with his hand}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
2c2d283d7f01daccc78eba86c9af105f95bf7e0a
File:16 Days Since First Meeting Lunch Pictures 1.png
6
804
1451
2023-02-23T16:26:04Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A picture of Harry's ice cream with Teo in the background looking down at his phone.}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
[[Category:Teo]]
62dc366dc78664a1333eff180aaeda08ab13d5c3
File:30 Days Since First Meeting Dinner Pictures.png
6
805
1452
2023-02-23T16:26:05Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry holding a glass of champagne}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
030f09723efcaae464492a9348e78f921d4c3a9c
File:31 Days Since First Meeting Breakfast Pictures.png
6
806
1453
2023-02-23T16:26:06Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Piu-Piu sitting in front of a canvas while holding a paint palet and a brush}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
c15c65464f1d9ec7e1ff9ce246d139f169befcf5
File:32 Days Since First Meeting Breakfast Pictures.png
6
807
1454
2023-02-23T16:26:07Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry sitting in a field while stretching his arms}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
cdbbe01fef79a8d9b632a977c97a1ecf1466eca2
File:14 Days Since First Meeting Dinner Pictures.png
6
808
1455
2023-02-23T16:26:08Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dbc0d4128732bffc1f75fb3603eb6d3ddac9a636
File:12 Days Since First Meeting Dinner Pictures (Harry).png
6
809
1456
2023-02-23T16:26:09Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Piu-Piu with its back turned to the camera and a chibi Harry. There's a text box above it that says "I've never forbidden picture!" Chibi Harry has his arms crossed and eyes closed.}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
[[Category:Piu-Piu]]
8ee96b2a2f564e95e6f06cfe8282a26527e7f5dc
File:Teddy Bear.png
6
810
1457
2023-02-23T16:40:01Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Cream Bun.png
6
811
1458
2023-02-23T16:40:54Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:TV.png
6
812
1459
2023-02-23T16:41:36Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Massage Chair.png
6
813
1460
2023-02-23T16:42:26Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Meal.png
6
814
1461
2023-02-23T16:42:45Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Punching Bag.png
6
815
1462
2023-02-23T16:43:21Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dandelion.png
6
816
1463
2023-02-23T16:44:45Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Snacks.png
6
817
1464
2023-02-23T16:45:11Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pen.png
6
818
1465
2023-02-23T16:45:30Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Fan Certificate.png
6
819
1466
2023-02-23T16:45:50Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Nameplate.png
6
820
1467
2023-02-23T16:46:33Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Cat.png
6
821
1468
2023-02-23T16:46:52Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tip.png
6
822
1469
2023-02-23T16:47:16Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Microphone.png
6
823
1470
2023-02-23T16:47:51Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Alien.png
6
824
1471
2023-02-23T16:48:10Z
User135
5
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
PIU-PIU's Belly
0
382
1472
1419
2023-02-23T16:50:57Z
User135
5
wikitext
text/x-wiki
{{WorkInProgress}}
Piu-Piu's belly is an inventory system where emotions, frequencies, gifts, and profile icons and titles are stored. There is a maximum number one can reach for the first three, that being 50 of each individual type if the player doesn't have a subscription, 80 with the rainbow package, and 120 with the aurora package. It can be found either in the [[Incubator|incubator]] screen or the [[Forbidden Lab|lab screen]].
{| class="wikitable mw-collapsible mw-collapsed" style="margin-left:0; width:50%; height:200px; text-align:center;"
! colspan="3" style="background:#de8b83; color:#f6e0de; text-align:center;" | GIFTS
|-
|[[File:Nest Egg.png|frameless|center|top]] Nest Egg {{#tip-info: Sometimes to be utmostly true to your desire, you must pull out some eggs from your own nest.}} || [[File:Red Rose.png|frameless|center|top]] Red Rose {{#tip-info: Just staring at it will bring you a powerful touch of nostalgically dearing emotions.}} || [[File:Vodka.png|frameless|center|top]] Vodka {{#tip-info: This beverage will help you to unveil what truly lies in your heart... But for those of you who do not drink, we will exchange it for white soda.}}
|-
|[[File:Shovel.png|frameless|center|top]] Shovel for Fangirling {{#tip-info: You can dig anything deeper with this shovel - yes, literally anything.}} || [[File:Coffee.png|frameless|center|top]] Warm Coffee {{#tip-info: Coffee bears heart-warming feelings. And it will get even warmer if you offer a cup to someone.}} || [[File:Lamp.png|frameless|center|top]] Soft Lamp {{#tip-info: This lamp will softly illuminate your bedroom and your office with its warm, dreamy light of gold.}}
|-
| [[File:Microphone.png|frameless|center|top]] Stage Microphone {{#tip-info: This microphone will serve as your ticket to the stage!}} || [[File:Tip.png|frameless|center|top]] Tip {{#tip-info: A study shows that a tip works like a happy laughter - it can make someone happy.}} || [[File:Nameplate.png|frameless|center|top]] Marble Nameplate {{#tip-info: It is made of genuine marble that cost us dear, but we prepared it as a show of respect towards you. It is not hollow inside.}}
|-
| [[File:Teddy_Bear.png|frameless|center|top]] Teddy Bear {{#tip-info: Hugs from a teddy bear are free forever!}} || [[File:Dandelion.png|frameless|center|top]] Dandelion Seed {{#tip-info: May your wishes come true...}} || [[File:Cream_Bun.png|frameless|center|top]] Cream Bun {{#tip-info: Cream buns are filled with positive emotions. If someone gives you a cream bun, that person probably seeks to be your friend.}}
|-
| [[File:Massage_Chair.png|frameless|center|top]] Massage Chair {{#tip-info: This massage chair will help you to loosen up. Take a seat at the end of a long day full of work...}} || [[File:TV.png|frameless|center|top]] 4K Monitor {{#tip-info: Monitor with high resolution will make your footage highly vivid and colorful.}} || [[File:Snacks.png|frameless|center|top]] A Box of Snacks {{#tip-info: Simply looking at snacks makes me feel so full and satisfied.}}
|-
| [[File:Meal.png|frameless|center|top]] Hearty Meal {{#tip-info: Did you get your meal? Take care and do your best!}} || [[File:Cat.png|frameless|center|top]] Cat {{#tip-info: Meow, meow! This cat respects and loves human beings.}} || [[File:Punching_Bag.png|frameless|center|top]] Punching Bag {{#tip-info: A punching bag can help you to nurture your stamina.}}
|-
| [[File:Pen.png|frameless|center|top]] Golden Fountain Pen {{#tip-info: It is said everything written with this 24K golden fountain pen turns out quite heavy.}} || [[File:Alien.png|frameless|center|top]] Alien {{#tip-info: Oh...! An alien aware of the laws of the universe! I am afraid we can provide no further details...}} || [[File:Fan_Certificate.png|frameless|center|top]] Fan Club Sign-Up Certificate {{#tip-info: This is the certificate you need when you sign up for a fan club. It is a great thing to be a fan of a person who inspires you.}}
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin:0 0 auto auto; width:50%;height:200px"
! colspan="3" style="background:; color:; text-align:center;" | TITLES
|-
| || ||
|-
| || ||
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="margin-right:auto; margin-left:0; width:50%; height:200px"
! colspan="3" style="background:; color:; text-align:center;" | MORE
|-
| || ||
|-
| || ||
|-
|}
ed3820f352ff45851f703c31271d7323a1437290
Talk:PIU-PIU's Belly
1
743
1473
1372
2023-02-23T16:57:31Z
User135
5
wikitext
text/x-wiki
== Format of this page ==
Since each gift, profile etc has a description and image, how do you plan on incorporating those into the page? The boxes seem a bit limited but they're also neat ways to organize it lol thx
--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:50, 9 February 2023 (UTC)
: I was thinking whether we can use something like a tooltip (https://www.mediawiki.org/wiki/Extension:Tooltip) but I don't know how to add an extension lol. Though we can just add descriptions and images right into the table as well... Anyways, if you have any ideas, feel free to experiment with it~~
:--[[User:User135|User135]] ([[User talk:User135|talk]]) 19:03, 12 February 2023 (UTC)
:: oh! i can contact junikea and ask them to add it <3 i'll do that after class
::--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 15:21, 14 February 2023 (UTC)
:::UPDATE: the extension should be available for you to use now :) let me know if you have any issues.<br>
:::--[[User:Hyobros|Hyobros]] ([[User talk:Hyobros|talk]]) 16:00, 15 February 2023 (UTC)
::::Thank you both for helping <3
::::--[[User:User135|User135]] ([[User talk:User135|talk]]) 16:58, 23 February 2023 (UTC)
40b810ea9ca4427838af3806b1a0f30225aef945
Template:MainPageEnergyInfo
10
32
1474
962
2023-02-23T17:01:54Z
User135
5
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Peaceful
|date={{CURRENTYEAR}}-{{CURRENTMONTH}}-{{CURRENTDAY2}}
|description=I hope [love interest] can make use of today's energy and send you warm energy...
|cusMessage=I hope peace and love will be with all lab participants around the world...}}
21e38e26b6e1daae8d6897046040a9b6785b5a31
1475
1474
2023-02-23T17:15:28Z
User135
5
wikitext
text/x-wiki
<noinclude>
{{InfluencialTemplate}}
</noinclude>
{{DailyEnergyInfo
|energyName=Galactic
|date={{CURRENTYEAR}}-{{CURRENTMONTH}}-{{CURRENTDAY2}}
|description=An alien said, ‘Look up at the sky if you’d like to look into your past...’
|cusMessage=Tonight the sky will be so beautiful. I hope you would look up at the sky at least once...}}
d7a0a243c0b26a67b8c03917b33a3fab0d0e8e65
File:Teo Piu-Piu delay announcement.png
6
825
1476
2023-02-27T15:35:51Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1477
1476
2023-02-27T15:39:59Z
Hyobros
9
wikitext
text/x-wiki
[[Category: Teo]]
[[Category: Piu-Piu]]
2fdd90def73f22dced7b4766130ba0f74a712f89
File:Teo launch date.jpg
6
826
1478
2023-02-27T15:40:47Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1479
1478
2023-02-27T15:41:05Z
Hyobros
9
wikitext
text/x-wiki
[[Category: Teo]]
f36dab3ee4e9366af2ace13219a7f8174e3fb0e3
Teo/Gallery
0
245
1480
1351
2023-02-27T15:41:26Z
Hyobros
9
/* Promotional */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png
31 Days Since First Meeting Lunch Pictures(4).png
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
32 Days Since First Meeting Bedtime Pictures.png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png
33 Days Since First Meeting Lunch Pictures(1).png
33 Days Since First Meeting Lunch Pictures(2).png
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png
36 Days Since First Meeting Lunch Pictures(1).png
36 Days Since First Meeting Bedtime Pictures.png
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png
39 Days Since First Meeting Lunch Pictures.png
41 Days Since First Meeting Bedtime Pictures.png|Day 41
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
a6b08e6b26a66eea03a3cbc7070a2cbef761cd76
1481
1480
2023-02-27T15:57:01Z
Hyobros
9
/* Mewry */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
4 Days Since First Meeting Bedtime Pictures(1).png|Day 4
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png
31 Days Since First Meeting Lunch Pictures(4).png
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png
33 Days Since First Meeting Lunch Pictures(1).png
33 Days Since First Meeting Lunch Pictures(2).png
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png
36 Days Since First Meeting Lunch Pictures(1).png
36 Days Since First Meeting Bedtime Pictures.png
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png
39 Days Since First Meeting Lunch Pictures.png
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png
41 Days Since First Meeting Lunch Pictures(1).png
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
ba8b84d052916dc77fd5124f94759031cb95d98d
1484
1481
2023-02-27T16:28:24Z
Hyobros
9
/* Vanas */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
TeoDay7BedtimeSelfie.png|Day 7
7 Days Since First Meeting Bedtime Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png
31 Days Since First Meeting Lunch Pictures(4).png
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png
33 Days Since First Meeting Lunch Pictures(1).png
33 Days Since First Meeting Lunch Pictures(2).png
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png
36 Days Since First Meeting Lunch Pictures(1).png
36 Days Since First Meeting Bedtime Pictures.png
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png
39 Days Since First Meeting Lunch Pictures.png
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png
41 Days Since First Meeting Lunch Pictures(1).png
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
d2aed8e70c4910b7842f1c5e26cc6066087f0184
1489
1484
2023-02-27T16:35:19Z
Hyobros
9
/* Vanas */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png
31 Days Since First Meeting Lunch Pictures(4).png
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png
33 Days Since First Meeting Lunch Pictures(1).png
33 Days Since First Meeting Lunch Pictures(2).png
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png
36 Days Since First Meeting Lunch Pictures(1).png
36 Days Since First Meeting Bedtime Pictures.png
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png
39 Days Since First Meeting Lunch Pictures.png
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png
41 Days Since First Meeting Lunch Pictures(1).png
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
1c04f8b25baaaf54bf5eba69d6450a6f63a03c2e
File:3 Days Since First Meeting Bedtime Pictures(1).png
6
437
1482
952
2023-02-27T16:27:23Z
Hyobros
9
Hyobros moved page [[File:4 Days Since First Meeting Bedtime Pictures(1).png]] to [[File:3 Days Since First Meeting Bedtime Pictures(1).png]]: misnamed (wrong day due to 24 hour glitch)
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:4 Days Since First Meeting Bedtime Pictures(1).png
6
827
1483
2023-02-27T16:27:23Z
Hyobros
9
Hyobros moved page [[File:4 Days Since First Meeting Bedtime Pictures(1).png]] to [[File:3 Days Since First Meeting Bedtime Pictures(1).png]]: misnamed (wrong day due to 24 hour glitch)
wikitext
text/x-wiki
#REDIRECT [[File:3 Days Since First Meeting Bedtime Pictures(1).png]]
21fdf82d1db7133a483b1a1bad8f0039d29d4ced
File:3 Days Since First Meeting Dinner Pictures (Teo).png
6
438
1485
953
2023-02-27T16:29:49Z
Hyobros
9
Hyobros moved page [[File:4 Days Since First Meeting Dinner Pictures.png]] to [[File:3 Days Since First Meeting Dinner Pictures (Teo).png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:4 Days Since First Meeting Dinner Pictures.png
6
828
1486
2023-02-27T16:29:49Z
Hyobros
9
Hyobros moved page [[File:4 Days Since First Meeting Dinner Pictures.png]] to [[File:3 Days Since First Meeting Dinner Pictures (Teo).png]]
wikitext
text/x-wiki
#REDIRECT [[File:3 Days Since First Meeting Dinner Pictures (Teo).png]]
dbd8fe840c8c728d75889fa3ec471b3edd7adfb5
File:6 Days Since First Meeting Bedtime Pictures 1.png
6
249
1487
648
2023-02-27T16:32:48Z
Hyobros
9
Hyobros moved page [[File:TeoDay7BedtimeSelfie.png]] to [[File:6 Days Since First Meeting Bedtime Pictures 1.png]] without leaving a redirect
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:6 Days Since First Meeting Bedtime Pictures 2.png
6
442
1488
957
2023-02-27T16:33:34Z
Hyobros
9
Hyobros moved page [[File:7 Days Since First Meeting Bedtime Pictures.png]] to [[File:6 Days Since First Meeting Bedtime Pictures 2.png]] without leaving a redirect
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:8 Days Since First Meeting Bedtime Pictures.png
6
250
1490
649
2023-02-27T16:37:25Z
Hyobros
9
Hyobros moved page [[File:TeoDay9BedtimeSelfie.png]] to [[File:8 Days Since First Meeting Bedtime Pictures.png]] without leaving a redirect
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:9 Days Since First Meeting Bedtime Pictures.png
6
554
1491
1116
2023-02-27T16:38:55Z
Hyobros
9
Hyobros moved page [[File:10 Days Since First Meeting Bedtime Pictures.png]] to [[File:9 Days Since First Meeting Bedtime Pictures.png]] without leaving a redirect
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:11 Days Since First Meeting Bedtime Pictures (Teo).png
6
555
1492
1117
2023-02-27T16:41:16Z
Hyobros
9
Hyobros moved page [[File:12 Days Since First Meeting Bedtime Pictures.png]] to [[File:11 Days Since First Meeting Bedtime Pictures (Teo).png]] without leaving a redirect
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:14 Days Since First Meeting Bedtime Pictures (Teo).png
6
635
1493
1228
2023-02-27T16:43:46Z
Hyobros
9
Hyobros moved page [[File:15 Days Since First Meeting Bedtime Pictures.png]] to [[File:14 Days Since First Meeting Bedtime Pictures (Teo).png]] without leaving a redirect
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Characters
0
60
1494
940
2023-03-01T16:21:50Z
Hyobros
9
added a link for noah
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
*[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Teo's father]]
*[[Teo's mother]]
*[[Harry's Mother]]
*[[Harry's Father]]
*[[Harry's Piano Tutor]]
*[[Jay]]
*[[Joseph]]
*[[Minwoo]]
*[[Doyoung]]
*[[Yuri]]
*[[Woojin]]
*[[Kiho]]
*[[Yuhan]]
*[[Juyoung]]
*[[Big Guy]]
*[[Rachel]]
*[[Tain Park]]
*[[Malong Jo]]
*[[Sarah Lee]]
*[[Noah]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|}
4d250f1f28f7d19d3b9643915f7560453fbd8c7f
Teo
0
3
1495
945
2023-03-01T16:31:58Z
Hyobros
9
/* General */ added a paragraph about his friend group, added some more info about the beta and revised
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
On occasion he will talk about his close circle of friends, which includes [[Jay]], [[Minwoo]], [[Doyoung]], and [[Kiho]]. He met them during university since they all were in classes for filmmaking, and they kept in touch ever since.
===Beta===
Teo was the only character featured in The Ssum beta release in 2018. His design was strikingly different from the official release of the game. This version of the game only went up to day 14, when Teo confessed to the player. This version of the game also had a different opening video than the official release, with not only a completely different animation but also using a song titled ''Just Perhaps if Maybe''.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Route ==
=== Vanas ===
==== Day 14 Confession ====
=== Mewry ===
=== Crotune ===
=== Tolup ===
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
cafb27cf1721a5a4f3b20c8c0e4462cd87e5b390
Angel
0
414
1496
1165
2023-03-01T16:34:44Z
Hyobros
9
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
Angel is an entity that is involved in Harry's route. Its initial appearance is usually on day 48, but it can appear sooner if the player has time traveled multiple times. Upon a premature appearance, Angel will instruct the player to travel to day 48.
Angel's screen name throughout the route is 1004, which is a Korean homonym for the word "Angel" (천사).
It boasts time traveling abilities, and uses them on the day titled "A Future With the Angel" when it takes over the messenger and isolates the player from Harry and Piu-Piu. During the waketime chat, it gives the player the option to view either a good future or a bad future with Harry. If the player hasn't answered, Angel will opt for showing the bad future. During the breakfast chat, the player will be connected to the respective future Harry that Angel set them with, and even connect them in a call after the chat.
== Background ==
It's unclear whether or not Angel is an A.I. similar to Piu-Piu. The entity is very mysterious, partly because it refuses to answer any questions about itself.
== Trivia ==
TBA
dffc676c729f709c0c33a89d2d62ac4be395b6d7
File:16 Days Since First Meeting Breakfast Pictures (Harry).png
6
829
1497
2023-03-01T20:17:05Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A selfie of Harry wearing a red shirt while standing outside}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
bd773ac1f18fe40b37445d24ceaa81900e72cb0a
File:15 Days Since First Meeting Bedtime Pictures.png
6
830
1498
2023-03-01T20:17:06Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry holding his face in one hand}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
727857a6aac0472127cac96a6acf9682db3679c8
File:16 Days Since First Meeting Wake Time Pictures.png
6
831
1499
2023-03-01T20:17:07Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=An image of Piu-Piu and a chibi Harry together. Chibi Harry is getting dressed with his back turned to the camera and Piu-Piu is holding its wing out to cover Harry's butt.}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
[[Category:Piu-Piu]]
5dfc1601d681f4c5f0aee0a12809457e37306e59
File:14 Days Since First Meeting Breakfast Pictures (Harry).png
6
832
1500
2023-03-01T20:17:09Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry leaning his head against the wall with his shoulder toward the camera looking very disappointed}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
6332a78df1ea9785145effe731b448c7ec1bef8a
File:17 Days Since First Meeting Dinner Pictures.png
6
833
1501
2023-03-01T20:17:10Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Harry leaning on a table while holding his head in one hand.}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
2043c89e060f85451cdd6bb89f465f1c7d2a739e
File:17 Days Since First Meeting Breakfast Pictures.png
6
834
1502
2023-03-01T20:17:12Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Harry outside wearing a red shirt and his brown horse mask.}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
77c06d01dd5f5beb5c9f089809f2e0fb410e3b41
File:17 Days Since First Meeting Lunch Pictures.png
6
835
1503
2023-03-01T20:17:13Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Harry wearing his brown horse mask with Teo standing behind him.}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
[[Category:Teo]]
65ab37cdbde54f8bb16dd142876327f2d5022740
File:17 Days Since First Meeting Wake Time Pictures.png
6
836
1504
2023-03-01T20:17:14Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry trying on clothes for the day}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
c8dbe3ce9d598bccbbd33b06c4f818d55d482226
File:18 Days Since First Meeting Breakfast Pictures.png
6
837
1505
2023-03-01T20:17:15Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry wrapped in a blanket in bed}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
19ebc1c555d557cd75d6f00f8e539ed00107ce17
File:18 Days Since First Meeting Wake Time Pictures (2).png
6
838
1506
2023-03-01T20:17:16Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:18 Days Since First Meeting Dinner Pictures 1.png
6
839
1507
2023-03-01T20:17:16Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
5e7d047d7548b009f771f7eb74db747585570ffb
File:18 Days Since First Meeting Wake Time Pictures.png
6
840
1508
2023-03-01T20:17:17Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:20 Days Since First Meeting Breakfast Pictures(1).png
6
841
1509
2023-03-01T20:17:19Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:19 Days Since First Meeting Dinner Pictures.png
6
842
1510
2023-03-01T20:17:21Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:20 Days Since First Meeting Breakfast Pictures.png
6
843
1511
2023-03-01T20:17:23Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry and Piu-Piu}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
[[Category:Piu-Piu]]
bb164ae0ece5a31eb18d7baacf623e42c2ef5d8a
File:19 Days Since First Meeting Dinner Pictures(1).png
6
844
1512
2023-03-01T20:17:23Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:20 Days Since First Meeting Lunch Pictures.png
6
845
1513
2023-03-01T20:17:24Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:21 Days Since First Meeting Wake Time Pictures (Harry).png
6
846
1514
2023-03-01T20:17:25Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:21 Days Since First Meeting Breakfast Pictures.png
6
847
1515
2023-03-01T20:17:26Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:22 Days Since First Meeting Lunch Pictures (Harry).png
6
848
1516
2023-03-01T20:17:27Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:25 Days Since First Meeting Dinner Pictures.png
6
849
1517
2023-03-01T20:17:29Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:23 Days Since First Meeting Breakfast Pictures(1).png
6
850
1518
2023-03-01T20:17:30Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:26 Days Since First Meeting Bedtime Pictures.png
6
851
1519
2023-03-01T20:17:30Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:27 Days Since First Meeting Breakfast Pictures (Harry).png
6
852
1520
2023-03-01T20:17:32Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
File:27 Days Since First Meeting Lunch Pictures.png
6
853
1521
2023-03-01T20:17:33Z
Hyobros
9
Uploaded a work by Chertiz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry}}
|date=2022-11-30
|source=The Ssum
|author=Chertiz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
dabf2ec69f33e5301c634c8874cc4182669e6028
Energy
0
6
1522
100
2023-03-02T17:18:41Z
Hyobros
9
fixed link in passionate energy image to go to the correct page (Energy/Passionate_Energy instead of Passionate_Energy)
wikitext
text/x-wiki
There are eight types of energy:
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Passionate_Energy.png|150px|link=Energy/Passionate_Energy]]<br>'''[[Energy/Passionate_Energy|Passionate]]''' ||
[[File:Innocent_Energy.png|150px|link=Innocent_Energy]]<br>'''[[Energy/Innocent_Energy|Innocent]]'''
|-
|[[File:Jolly_Energy.png|150px|link=Jolly_Energy]]<br>'''[[Energy/Jolly_Energy|Jolly]]''' ||[[File:Peaceful_Energy.png|150px|link=Peaceful_Energy]]<br>'''[[Energy/Peaceful_Energy|Peaceful]]'''
|-
|[[File:Logical_Energy.png|150px|link=Logical_Energy]]<br>'''[[Energy/Logical_Energy|Logical]]''' ||[[File:Philosophical_Energy.png|150px|link=Philosophical_Energy]]<br>'''[[Energy/Philosophical_Energy|Philosophical]]'''
|-
|[[File:Galactic_Energy.png|150px|link=Galactic_Energy]]<br>'''[[Energy/Galactic_Energy|Galactic]]'''
|[[File:Rainbow_Energy.png|150px|link=Rainbow_Energy]]<br>'''[[Energy/Rainbow_Energy|Rainbow]]'''
|}
fa0363ad66ebe56f9c4decdac010800e7e05df71
File:2 Days Since First Meeting Wake Time Pictures.png
6
749
1523
1379
2023-03-02T17:24:42Z
Hyobros
9
Hyobros moved page [[File:2 Days Since First Meeting Wake Time Pictures.png]] to [[File:1 Days Since First Meeting Wake Time Pictures.png]] without leaving a redirect: misnamed (wrong day due to 24 hour glitch)
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry wearing a mask with his hoodie on}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
4459c89f9a97a7e8b36302ecdaa3f23e9505e9ca
1524
1523
2023-03-02T17:29:15Z
Hyobros
9
Hyobros moved page [[File:1 Days Since First Meeting Wake Time Pictures.png]] to [[File:2 Days Since First Meeting Wake Time Pictures.png]] without leaving a redirect: revert im confused
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Harry wearing a mask with his hoodie on}}
|date=2022-11-30
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Harry]]
4459c89f9a97a7e8b36302ecdaa3f23e9505e9ca
Harry Choi/Gallery
0
744
1525
1354
2023-03-02T17:39:41Z
Hyobros
9
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
1ac9a70c4aeec9135b8c66abc8857c4c4132f52d
File:A seer of secrets of the lab Icon.png
6
854
1526
2023-03-06T16:00:05Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dizzy Upon Sight of Blood Icon.png
6
855
1527
2023-03-06T16:00:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dont Go Icon.png
6
856
1528
2023-03-06T16:00:46Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:It's a Secret Icon.png
6
857
1529
2023-03-06T16:01:05Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Three Days Icon.png
6
858
1530
2023-03-06T16:01:23Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:The Heart Is Mine Only Icon.png
6
859
1531
2023-03-06T16:01:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Remembering Someone Icon.png
6
860
1532
2023-03-06T16:01:58Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Planet Explorer Icon.png
6
861
1533
2023-03-06T16:02:11Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Not Interested in Anniversaries Icon.png
6
862
1534
2023-03-06T16:02:29Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:No More Talking Icon.png
6
863
1535
2023-03-06T16:02:51Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:MC is Weak Against the Heat Icon.png
6
864
1536
2023-03-06T16:03:06Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:MC is Weak Against the Cold Icon.png
6
865
1537
2023-03-06T16:03:22Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:MC Is Waiting For Someone Icon.png
6
866
1538
2023-03-06T16:03:43Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:MC Is Lovely Icon.png
6
867
1539
2023-03-06T16:04:00Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Making MC Weak at Heart Icon.png
6
868
1540
2023-03-06T16:04:13Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Baby Angel, Where Are You Icon.png
6
869
1541
2023-03-06T19:23:56Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Belief in Fairies Icon.png
6
870
1542
2023-03-06T19:24:14Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Fervent believer in sentences Icon.png
6
871
1543
2023-03-06T19:24:25Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Getting Passionate Icon.png
6
872
1544
2023-03-06T19:24:38Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Handwritten Letter Icon.png
6
873
1545
2023-03-06T19:24:50Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:It Grows by Itself Icon.png
6
874
1546
2023-03-06T19:25:06Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Journey for Good Posts Icon.png
6
875
1547
2023-03-06T19:25:18Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:License in Absorbing Info Icon.png
6
876
1548
2023-03-06T19:25:31Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Master of the Laws of the World Icon.png
6
877
1549
2023-03-06T19:25:43Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:My Guardian Icon.png
6
878
1550
2023-03-06T19:25:54Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Run - Now Icon.png
6
879
1551
2023-03-06T19:26:07Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Still Trying to Get the Picture Icon.png
6
880
1552
2023-03-06T19:26:23Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tears of Concern Icon.png
6
881
1553
2023-03-06T19:26:33Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tons of Praises Icon.png
6
882
1554
2023-03-06T19:26:43Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Whispering Icon.png
6
883
1555
2023-03-06T19:26:53Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Official Believer Icon.png
6
884
1556
2023-03-06T19:28:14Z
Tigergurke
14
Also used in Rookie God and Assistant of God
wikitext
text/x-wiki
== Summary ==
Also used in Rookie God and Assistant of God
0b4b9e3df9f139e3bcb90cb7027ceffb7f7e672e
File:Wiping Your Tears Icon.png
6
885
1557
2023-03-06T20:09:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Servile Believer Icon.png
6
886
1558
2023-03-06T20:10:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:No Friends With Exercise Icon.png
6
887
1559
2023-03-06T20:10:25Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Nice to Meet You Icon.png
6
888
1560
2023-03-06T20:10:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Manager of Emotion Incubator Icon.png
6
889
1561
2023-03-06T20:11:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Love For the Sea Icon.png
6
890
1562
2023-03-06T20:12:29Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Auditing Info Icon.png
6
891
1563
2023-03-06T20:12:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Avid Fan Icon.png
6
892
1564
2023-03-06T20:13:29Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Being Together Icon.png
6
893
1565
2023-03-06T20:30:45Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire for Family Icon.png
6
894
1566
2023-03-06T20:31:42Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire for Good Grades Icon.png
6
895
1567
2023-03-06T20:34:53Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire for Items Icon.png
6
896
1568
2023-03-06T20:35:41Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire for People Icon.png
6
897
1569
2023-03-06T20:36:21Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire for Philosophy Icon.png
6
898
1570
2023-03-06T20:36:37Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Desire for Whats Within Icon.png
6
899
1571
2023-03-06T20:36:58Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dont Give Up Icon.png
6
900
1572
2023-03-06T20:37:15Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Eating a Rare Pie Icon.png
6
901
1573
2023-03-06T20:37:32Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Exercise is Life Icon.png
6
902
1574
2023-03-06T20:37:48Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Extremely Sympathetic Icon.png
6
903
1575
2023-03-06T20:38:03Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Teo/Gallery
0
245
1576
1489
2023-03-07T14:56:37Z
Hyobros
9
/* Promotional */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png
31 Days Since First Meeting Lunch Pictures(4).png
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png
33 Days Since First Meeting Lunch Pictures(1).png
33 Days Since First Meeting Lunch Pictures(2).png
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png
36 Days Since First Meeting Lunch Pictures(1).png
36 Days Since First Meeting Bedtime Pictures.png
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png
39 Days Since First Meeting Lunch Pictures.png
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png
41 Days Since First Meeting Lunch Pictures(1).png
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
9e515f9a0eead03c2423ff113c7c18222395bc42
1608
1576
2023-03-20T15:04:57Z
Hyobros
9
/* Mewry */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
ac5dbd2812db505d98a90524305f7f83fc974a42
1609
1608
2023-03-20T15:07:54Z
Hyobros
9
wikitext
text/x-wiki
Note: Due to the stylistic difference between Teo's Vanas pictures and the rest of his pictures, Cheritz has begun updating his pictures from Mewry bit by bit. When the updated versions are uploaded here, they will replace the original images. The originals will still be able to be viewed in their respective File History.
Certain Vanas pictures have also been updated for various reasons (such as more detailed backgrounds).
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
f1adf3d36b7d6b1066adb7f28b10aa748530084d
File:Too Sweet Icon.png
6
904
1577
2023-03-07T15:19:47Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Reaction Machine Icon.png
6
905
1578
2023-03-07T15:20:04Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Nothing Can Stop What I Have To Say Icon.png
6
906
1579
2023-03-07T15:20:17Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lets Keep Going Icon.png
6
907
1580
2023-03-07T15:21:19Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Healer Icon.png
6
908
1581
2023-03-07T15:21:56Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Getting Full with Pies Icon.png
6
909
1582
2023-03-07T15:23:57Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Bluff
0
172
1583
1349
2023-03-08T02:21:47Z
Hyobros
9
/* Trivial Features by Seasonal Planet */
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || Profile; [???] Title || Writing 3 Romance Desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
21e1c9f71be3cf6003dbde3b1aa8762f803b4931
1585
1583
2023-03-08T02:52:02Z
Hyobros
9
/* Trivial Features by Emotion Planet */
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || x1 Battery<br>x2 Passionate Energy<br>'''[Follow My Desire]''' title || Post 3 "Romance" desires on Root of Desire
|-
| [[File:Desire_for_Family_Icon.png]] ||"Desire for Family" || Won by expressing 3 desires on family on the Root of Desire! || I am sure you will get to find a family that you are looking for! || Family is the most basic unit in human safety. || x1 Battery<br>x2 Passionate Energy<br>'''[Amiable]''' title || Post 3 "Family" desires on Root of Desire
|-
| [[File:What_Is_Your_Desire_Icon.png]] || What Is Your Desire? || Won by expressing 3 desires on others on the Root of Desire! || I would like to know what kind of desire you have revealed. || I have been requesting the Lab for 3 years to equip me with a rhythmic game. || x1 Battery<br>x2 Passionate Energy<br>'''[Secretive]''' title || Post 3 "Other" desires on Root of Desire
|-
| [[File:Desire_For_Good_Career_Icon.png]] || "Desire forr Good Career" || Won by expressing 3 desires on career on the Root of Desire! || Never stop wishing to become a CEO! Or a board member! Or an executive! || I happen to be quite high in rank in the Lab. || x1 Battery<br>x2 Passionate Energy<br>'''[Workaholic]''' title || Post 3 "Career" desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
63aef2dac87defdcb14c0a9c72b55c9334681d98
File:Desire For Good Career Icon.png
6
910
1584
2023-03-08T02:51:47Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Yet Another Day Icon.png
6
911
1586
2023-03-08T16:26:00Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Wrapping Up Month 2023 Icon.png
6
912
1587
2023-03-08T16:26:14Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Winner of Certificate of Appreciation Icon.png
6
913
1588
2023-03-08T16:26:28Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Subscribed Icon.png
6
914
1589
2023-03-08T16:27:04Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Strategist Icon.png
6
915
1590
2023-03-08T16:27:18Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Romantic 2023 Valentines Icon.png
6
916
1591
2023-03-08T16:27:45Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Making myself happy sending support Icon.png
6
917
1592
2023-03-08T16:28:00Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:It Doesnt Really Hurt Icon.png
6
918
1593
2023-03-08T16:28:30Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Automatic joy acquiring energy Icon.png
6
919
1594
2023-03-08T16:28:48Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Believer with Good Attendance Icon.png
6
920
1595
2023-03-08T16:29:03Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Cat Radar Icon.png
6
921
1596
2023-03-08T16:29:20Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dog Radar Icon.png
6
922
1597
2023-03-08T16:29:36Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Famed Comedian Icon.png
6
923
1598
2023-03-08T16:29:50Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Farewell to Year 2022 Icon.png
6
924
1599
2023-03-08T16:30:17Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:100th Day Icon.png
6
925
1600
2023-03-20T14:44:54Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:A Drop of Tear Icon.png
6
926
1601
2023-03-20T14:45:08Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:All Shall Be Revealed Icon.png
6
927
1602
2023-03-20T14:45:26Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:You Look So Cute Icon.png
6
928
1603
2023-03-20T14:45:57Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Planet Developer Icon.png
6
929
1604
2023-03-20T14:46:10Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:More Desires Icon.png
6
930
1605
2023-03-20T14:46:27Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Making Stew with Bamboo Icon.png
6
931
1606
2023-03-20T14:47:23Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Having Multiple Religions Icon.png
6
932
1607
2023-03-20T14:47:36Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:31 Days Since First Meeting Dinner Pictures(2).png
6
658
1610
1252
2023-03-20T15:11:34Z
Hyobros
9
Hyobros uploaded a new version of [[File:31 Days Since First Meeting Dinner Pictures(2).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(1).png
6
659
1611
1253
2023-03-20T15:12:22Z
Hyobros
9
Hyobros uploaded a new version of [[File:31 Days Since First Meeting Lunch Pictures(1).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
1612
1611
2023-03-20T15:14:10Z
Hyobros
9
Hyobros uploaded a new version of [[File:31 Days Since First Meeting Lunch Pictures(1).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(2).png
6
660
1613
1254
2023-03-20T15:15:32Z
Hyobros
9
Hyobros uploaded a new version of [[File:31 Days Since First Meeting Lunch Pictures(2).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures.png
6
662
1614
1256
2023-03-20T15:17:56Z
Hyobros
9
Hyobros uploaded a new version of [[File:31 Days Since First Meeting Lunch Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(3).png
6
663
1615
1258
2023-03-20T15:18:45Z
Hyobros
9
Hyobros uploaded a new version of [[File:31 Days Since First Meeting Lunch Pictures(3).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:31 Days Since First Meeting Lunch Pictures(4).png
6
664
1616
1257
2023-03-20T15:19:10Z
Hyobros
9
Hyobros uploaded a new version of [[File:31 Days Since First Meeting Lunch Pictures(4).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 31}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
a9f90108bb774f4e2d6a15c3c0fd6a7e5f1b4ef6
File:32 Days Since First Meeting Dinner Pictures(2).png
6
667
1617
1261
2023-03-20T15:21:27Z
Hyobros
9
Hyobros uploaded a new version of [[File:32 Days Since First Meeting Dinner Pictures(2).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 32}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
b9e008b1c2687ae4a3a580e0bf3589b4aa42952b
File:32 Days Since First Meeting Dinner Pictures.png
6
668
1618
1262
2023-03-20T15:21:56Z
Hyobros
9
Hyobros uploaded a new version of [[File:32 Days Since First Meeting Dinner Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 32}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
b9e008b1c2687ae4a3a580e0bf3589b4aa42952b
File:32 Days Since First Meeting Lunch Pictures.png
6
669
1619
1263
2023-03-20T15:22:39Z
Hyobros
9
Hyobros uploaded a new version of [[File:32 Days Since First Meeting Lunch Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 32}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
b9e008b1c2687ae4a3a580e0bf3589b4aa42952b
File:33 Days Since First Meeting Lunch Pictures(1).png
6
673
1620
1267
2023-03-20T15:24:51Z
Hyobros
9
Hyobros uploaded a new version of [[File:33 Days Since First Meeting Lunch Pictures(1).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a4be1335a40ebb3c34d9ea53904ecdbf43d6fe9
File:33 Days Since First Meeting Wake Time Pictures.png
6
674
1621
1268
2023-03-20T15:25:13Z
Hyobros
9
Hyobros uploaded a new version of [[File:33 Days Since First Meeting Wake Time Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 33}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
3a4be1335a40ebb3c34d9ea53904ecdbf43d6fe9
File:34 Days Since First Meeting Breakfast Pictures.png
6
676
1622
1270
2023-03-20T15:26:02Z
Hyobros
9
Hyobros uploaded a new version of [[File:34 Days Since First Meeting Breakfast Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 34}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
e20f0ebb3607477785bbbb463104a59dd15e1575
File:34 Days Since First Meeting Dinner Pictures.png
6
677
1623
1271
2023-03-20T15:26:27Z
Hyobros
9
Hyobros uploaded a new version of [[File:34 Days Since First Meeting Dinner Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Image of Teo on day 34}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
267a2b5d937a39ddf4e726455a4225663657eaab
File:34 Days Since First Meeting Wake Time Pictures.png
6
679
1624
1273
2023-03-20T15:27:18Z
Hyobros
9
Hyobros uploaded a new version of [[File:34 Days Since First Meeting Wake Time Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 34}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
e20f0ebb3607477785bbbb463104a59dd15e1575
File:35 Days Since First Meeting Breakfast Pictures.png
6
678
1625
1272
2023-03-20T15:28:40Z
Hyobros
9
Hyobros uploaded a new version of [[File:35 Days Since First Meeting Breakfast Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 35}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
2e87e6bd33a83739b699b29211b9494e35a76b9d
File:36 Days Since First Meeting Lunch Pictures(1).png
6
683
1626
1277
2023-03-20T15:29:54Z
Hyobros
9
Hyobros uploaded a new version of [[File:36 Days Since First Meeting Lunch Pictures(1).png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Selfie of Teo on day 36}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
63a95fa2eeaa166a2b21ee618db1a5dd59fcd6f3
File:39 Days Since First Meeting Wake Time Pictures.png
6
690
1627
1284
2023-03-20T15:32:07Z
Hyobros
9
Hyobros uploaded a new version of [[File:39 Days Since First Meeting Wake Time Pictures.png]]
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=Past selfie of teo on day 39}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
2faeca3789d02c4f8820e0c953f5916e9c559b85
Trivial Features/Clock
0
180
1628
1350
2023-03-21T15:35:23Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Hundred_Days_Icon.png]] ||"Hundred Days in a Row" || You have logged in for 100 days in a row! You have Won this! CLAP. CLAP. CLAP.||I like perfectly rounded numbers such as 100.||There is at least 90% chance that Teo will not be able to sleep when you return home late. || Energy || Log in for 100 consecutive days
|-
| [[File:Carrot Lover Shine 2022 Icon.png]] ||"Carrot-Lover Made the World Shine 2022"||Won by celebrating his birthday!||Happy birthday to him!||Maybe I should come up with a birthday for myself.||Energy, batteries || Log in on 20 December (Harry's Birthday)
|-
| [[File:Romantic 2023 Valentines Icon.png]] ||"Romantic 2023 Valentine's♡"||Found from sweet chocolate! || Chocolate goes best with warm milk! || Dark chocolate and white chocolate. Which one do you prefer? || Energy || Log in on 14 February (Valentine's Day)
|-
| [[File:Wrapping Up Month 2023 Icon.png]] ||"Wrapping Up a Month from 2023"||Found on the last day of the shortest month!||It is already the end of the month. February always feels unusually short even though it is only two or three days shorter.||People regret their past because they cannot undo it. Perhaps that tis why they say to cherish everything while you can.||Energy||Log in on 28 February
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || Energy; Profile; [Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [[File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|-
| [[File:Sunset_Year_2022_Icon.png]] ||"Sunset for Year 2022" || Found on the shortest day! || It is the shortest day of the year. I hope [Love Interest] is there at the end of your short day. || Today felt very short. || x3 Battery<br>x2 Galactic energy || Log in on the winter solstice of 2022 (21 December)
|-
| [[File:Thirty_Days_Icon.png]] ||"Thirty Days in a Row" || You have logged in for 30 days in a row! You have Won this! || You have logged into the messenger for 30 days in a row. || You have become a part of [love interest]'s life. || Energy, title || Log in for 30 days in a row.
|-
| [[File:Farewell_to_2022_Icon.png]] || "Farewell to Year 2022" || Found on the last day of the year! || I hope you had a great year. I also hope your next year is better than this year. || I wish today is happier than yesterday, tomorrow brighter than today for you. || Energy || Log in on 31 December 2022
|-
| [[File:2022_Christmas_Icon.png]] || "2022 Christmas" || Found from the red nose of Rudolph! || Happy holidays! || Do you believe in Santa? || Energy || Log in on 25 December 2022
|}
1a2dda3f190a5d017e80e86864152148ae58dd81
1629
1628
2023-03-21T15:43:59Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Hundred_Days_Icon.png]] ||"Hundred Days in a Row" || You have logged in for 100 days in a row! You have Won this! CLAP. CLAP. CLAP.||I like perfectly rounded numbers such as 100.||There is at least 90% chance that Teo will not be able to sleep when you return home late. || x2 Battery<br>x2 Innocent Energy<br>[Take My Love] title || Log in for 100 consecutive days
|-
| [[File:Carrot Lover Shine 2022 Icon.png]] ||"Carrot-Lover Made the World Shine 2022"||Won by celebrating his birthday!||Happy birthday to him!||Maybe I should come up with a birthday for myself.||x30 Battery<br>x2 Passionate Energy || Log in on 20 December (Harry's Birthday)
|-
| [[File:Romantic 2023 Valentines Icon.png]] ||"Romantic 2023 Valentine's♡"||Found from sweet chocolate! || Chocolate goes best with warm milk! || Dark chocolate and white chocolate. Which one do you prefer? || Energy || Log in on 14 February (Valentine's Day)
|-
| [[File:Wrapping Up Month 2023 Icon.png]] ||"Wrapping Up a Month from 2023"||Found on the last day of the shortest month!||It is already the end of the month. February always feels unusually short even though it is only two or three days shorter.||People regret their past because they cannot undo it. Perhaps that tis why they say to cherish everything while you can.||Energy||Log in on 28 February
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || x2 Jolly Energy<br>[Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [[File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|-
| [[File:Sunset_Year_2022_Icon.png]] ||"Sunset for Year 2022" || Found on the shortest day! || It is the shortest day of the year. I hope [Love Interest] is there at the end of your short day. || Today felt very short. || x3 Battery<br>x2 Galactic energy || Log in on the winter solstice of 2022 (21 December)
|-
| [[File:Thirty_Days_Icon.png]] ||"Thirty Days in a Row" || You have logged in for 30 days in a row! You have Won this! || You have logged into the messenger for 30 days in a row. || You have become a part of [love interest]'s life. || Energy, title || Log in for 30 days in a row.
|-
| [[File:Farewell_to_2022_Icon.png]] || "Farewell to Year 2022" || Found on the last day of the year! || I hope you had a great year. I also hope your next year is better than this year. || I wish today is happier than yesterday, tomorrow brighter than today for you. || x3 Battery<br>x2 Pensive Energy || Log in on 31 December 2022
|-
| [[File:2022_Christmas_Icon.png]] || "2022 Christmas" || Found from the red nose of Rudolph! || Happy holidays! || Do you believe in Santa? || x3 Battery<br>x2 Pensive Energy || Log in on 25 December 2022
|}
b78e46663ca87edb80d9d5fa478387bafd3bc0b4
1630
1629
2023-03-21T15:47:58Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Hundred_Days_Icon.png]] ||"Hundred Days in a Row" || You have logged in for 100 days in a row! You have Won this! CLAP. CLAP. CLAP.||I like perfectly rounded numbers such as 100.||There is at least 90% chance that Teo will not be able to sleep when you return home late. || x2 Battery<br>x2 Innocent Energy<br>[Take My Love] title || Log in for 100 consecutive days
|-
| [[File:Carrot Lover Shine 2022 Icon.png]] ||"Carrot-Lover Made the World Shine 2022"||Won by celebrating his birthday!||Happy birthday to him!||Maybe I should come up with a birthday for myself.||x30 Battery<br>x2 Passionate Energy || Log in on 20 December (Harry's Birthday)
|-
| [[File:Romantic 2023 Valentines Icon.png]] ||"Romantic 2023 Valentine's♡"||Found from sweet chocolate! || Chocolate goes best with warm milk! || Dark chocolate and white chocolate. Which one do you prefer? || Energy || Log in on 14 February (Valentine's Day)
|-
| [[File:Wrapping Up Month 2023 Icon.png]] ||"Wrapping Up a Month from 2023"||Found on the last day of the shortest month!||It is already the end of the month. February always feels unusually short even though it is only two or three days shorter.||People regret their past because they cannot undo it. Perhaps that tis why they say to cherish everything while you can.||Energy||Log in on 28 February
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[File:Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || x2 Jolly Energy<br>[Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [[File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|-
| [[File:Sunset_Year_2022_Icon.png]] ||"Sunset for Year 2022" || Found on the shortest day! || It is the shortest day of the year. I hope [Love Interest] is there at the end of your short day. || Today felt very short. || x3 Battery<br>x2 Galactic energy || Log in on the winter solstice of 2022 (21 December)
|-
| [[File:Thirty_Days_Icon.png]] ||"Thirty Days in a Row" || You have logged in for 30 days in a row! You have Won this! || You have logged into the messenger for 30 days in a row. || You have become a part of [love interest]'s life. || Energy, title || Log in for 30 days in a row.
|-
| [[File:Farewell_to_2022_Icon.png]] || "Farewell to Year 2022" || Found on the last day of the year! || I hope you had a great year. I also hope your next year is better than this year. || I wish today is happier than yesterday, tomorrow brighter than today for you. || x3 Battery<br>x2 Pensive Energy || Log in on 31 December 2022
|-
| [[File:2022_Christmas_Icon.png]] || "2022 Christmas" || Found from the red nose of Rudolph! || Happy holidays! || Do you believe in Santa? || x3 Battery<br>x2 Pensive Energy || Log in on 25 December 2022
|}
ed96208c407283717653021371f0ad25e7ad47ff
Trivial Features/Trivial
0
88
1631
1343
2023-03-21T16:13:52Z
Hyobros
9
/* Trivials from Chats and Calls */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|}
d6a7be45f0339b66d83ddf4afa134bd5786d2e30
1632
1631
2023-03-27T15:23:19Z
Hyobros
9
/* Trivials from Chats and Calls */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the onoly one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
ee73201eab4eba313e96c4e273f8256fd3a1e04f
1633
1632
2023-03-27T15:24:31Z
Hyobros
9
/* Trivials from Chats and Calls */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
edfd528a041edb3a0cd08e06169e5f2f3eb3145f
1634
1633
2023-03-28T15:02:49Z
Hyobros
9
/* Trivial Features by Emotion Planet */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
279ecf5f14c736b27c68f65bd50245395128fac6
Daily Emotion Study
0
436
1635
1421
2023-03-29T03:04:19Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! C1H2O3I4 !! S1U2M3M4
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous. || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || A picture of carrots. || Parts of my life. But if I were an influencer, I guess I can post just about anything.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural. || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection. || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I don’t know why, but i’m reminded of the people who suffered because of my criticisms. || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’ || I’m just me! I don’t need 280 letters! Muahahaha!
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || Tell urself that ur ok, and you will be. || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || You keep bothering me... Just you wait, i’m talking to you in a bit. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish. || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit. || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || Must have all meals. And dont be hopelessly rude when being social. || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever. || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!
|-
| 15 || Searching for Lost Courage || || Tell us when you could not do what you wanted to do. || When i was young, i wanted to be free. But not anymore. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me. || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || || Have you ever found a prize that did not meet your hard work? || When i burned one fried egg after another. || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || Better be lonely than chained. || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to have a cup of black tea. And talk to you. And go swimming. || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || My family’s expectations and greed. || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Rachel...? || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there. || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || Almond milk. Shower. An uncrowded place. And the one person that matters to me. || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared... || I’m anxious I might never find the app developers.
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || Muffin pan. I’m tired of cookies now. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || Ur always with me, so ur... I’ll tell you the rest later. || You’ve spent all mornings and nights with me. Please keep doing that.
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Money is might. Which is why it can ruin someone. || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more. || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || Every single moment i spend as i wait for your calls and chats. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || Getting troubles the moment they seem like they’ll go away. || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me. || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || Every positive word makes me think of you. And i like it. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || If i can meet your standards - if i can make you certain, that’s good enough for me. || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it. || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || I’d treat them invisible, even if they happen to stand right before me. || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again. || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Chilling by myself at home, quiet and clean. And talking to you. || Diving into comfy blankets!
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you? || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps. || Don’t talk to me. I have to finish this comic book uninterrupted.
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || That sometimes happens. And it will eventually pass. || Hehehe. You think that’s the end of it?
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || You, quiet place, carrots, piano, poseidon. That’s about it. || I wanna try meats roasted by a meat master... All by myself...
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong. || Eating ice cream with Gold for one last time.
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || ...That’s so not true... Fine. Let’s say it’s tain and malong. || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || You, of course. || @@ & my movies. Space in my head is limited these days.
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || This fiancee came out of nowhere. || Being hospitalized! If your body suffers, so will your heart. Sniffle.
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || That never happened. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I think i did, although i didnt plan to. But i certainly wont do that to you. || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed. || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later... || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Rock paper scissors...? || Puzzle, I guess? I believe I was a toddler back then...
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || I dont believe in telepathy, but i wanna try sending it to you... I miss you. || Oh, I’ll just use the telepathy. We share a separate channel.
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you. || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny. || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || I wanna be alone, but at the same time i dont want loneliness to take over me. || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || Becuz once you forgive, you can no longer hate... I think that’s why. || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant. || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Protect me from evtng that tries to control me. Just let me be. That way i can breathe. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I wanna cut all ties with my family. And set off for a new life. || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine. || Wait... How come it makes me sniffle...
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Why would you listen to that? You shouldnt give room for nonsense in the first place. || Of course I’d ignore it. I’d like to ask if that person is doing just that.
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth. || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || Lame...? First of all, i’ve never used the term. || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it? || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || I’m sleepy. This is so annoying. I miss you. || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Fried eggs... Though i dont want to admit it... Shoot... || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || The time i have spent with you - that i can assure you. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand. || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit. || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me. || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew... || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || Who else would make me feel like that? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time. || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || Being generous to me but strict to the others... And is this supposed to be bad? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || Yeah... Sort of... When we connected. || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature. || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in. || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it. || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong. || Wait... Did I turn off the lights before leaving?!
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Leave them, until they can cope with their own emotions. They are sad cuz they are sad. || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars. || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more. || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || I know there’s nothing i can do about the terms on the contract, but... || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || No. Why would i compare myself to the others? || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship. || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || I would have emancipated myself from my family. And perhaps i got to draw some more. || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || I want you to call out my name. Make my heart alive and beating again. || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like. || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health. || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.
|-
| 100 || Touching on a Sensitive Topic || || Is there anything you would like to say regarding politics? Let us respect what everyone has to say! || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly. || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease. || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When it’s quiet and free. And when you need me... I guess. || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || Just human. I may be bit cold and uncaring, but i’d say i’m human enough. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || I have pure taste buds. Period. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you. || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes. || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good. || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || These days i’d say it’s a success when i get to laugh with you for the day. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun. || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one. || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you. || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to understand the meaning of care and love ever since i met you. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see. || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || Respecting each other. I never knew how to do that before i met you. || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!
|-
| 120 || Recruiting Agents to Destroy Concerns || || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house. || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || A percent - or is that too much? We dont care about each other. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’ || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || No, i’m just me. || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m a bit tired, but i’m healthy enough. || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Just ignore them - dont let them get into your life. || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I dont need pets other than poseidon - and i certainly dont need a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || The latter. But if you are to become fond of someone... Maybe i’ll go for former. || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream. || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me. || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me. || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one. || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || I’m already famous, although that happens under a horse mask. Not that popularity changed my life. || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone. || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || No. I dont care if i lose. Anyone’s welcome to beat me. || Loving my love. I want to give her the biggest love she can ever experience in her life.
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || Build a second carrot lab, i guess? And i’ll make myself a vvip. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me. || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.
|-
| 143 || Borrowing Your Head || || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good. || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Keep going. Dont give up until the end. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story. || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || I got to know you. And... I got to know a bit about love. || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || I’m not lying. Adding smth that your party will take as hospitality counts as strategy. || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Every favor requires a return in human relations. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity. || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting. || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || I wonder what i’ll look like as a girl. I’m kind of curious. || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I wish i could go back to the day i met you. I wish i could be nicer. || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right? || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || Everyone who still addresses me as young master. || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When i’m sleeping. If i dont focus, i’ll wake up in no time. || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all. || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || Diorama... Just kidding. It’s my phone - it lets me talk to you. || My phone. I’ll never know exactly when she’ll message me.
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And... || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you. || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it. || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Spending time alone where it’s quiet. And thinking about you. || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal. || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!
|-
| 165 || Proving Connections from Childhood || || What would be a must-activity that you would do for the future generation? || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them. || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’ || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy. || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me. || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you. || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I did that all the time when i was young. I used to do only what my mother and father told me. || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || Evtng that makes me who i am. Including you, of course. || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || Timid? Me? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt. || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || At leisure, as always. Which must be why i feel less tense. || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask. || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone. || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot. || Good job... Good job on not turning it into a catfight.
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || So you managed to reach an agreement with a lawyer. I give you an applause. || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business. || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.
|-
| 184 || Healing Trauma || || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || In most cases, things will get better if you stay away from the cause. || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || You. That’s the only term that stands for love to me. || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine? || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while. || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.
|-
| 189 || Blueprinting Link of Help || || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Offering help is no different from causing damage to me. I dont want to have it. Or give it. || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence. || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you. || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best. || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || A pill that can replace all three meals. That would be a huge leap in science. || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you. || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || Dont remember, and even if it happened i’m sure someone from my family forced it into my head. || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you. || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do. || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
585696b20f5b7f472a6693f669f07507436e7f20
1636
1635
2023-03-29T03:09:47Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! C1H2O3I4 (Harry) !! S1U2M3M4 (TEO)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous. || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || A picture of carrots. || Parts of my life. But if I were an influencer, I guess I can post just about anything.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural. || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection. || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I don’t know why, but i’m reminded of the people who suffered because of my criticisms. || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’ || I’m just me! I don’t need 280 letters! Muahahaha!
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || Tell urself that ur ok, and you will be. || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || You keep bothering me... Just you wait, i’m talking to you in a bit. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish. || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit. || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || Must have all meals. And dont be hopelessly rude when being social. || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever. || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!
|-
| 15 || Searching for Lost Courage || || Tell us when you could not do what you wanted to do. || When i was young, i wanted to be free. But not anymore. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me. || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || || Have you ever found a prize that did not meet your hard work? || When i burned one fried egg after another. || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || Better be lonely than chained. || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to have a cup of black tea. And talk to you. And go swimming. || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || My family’s expectations and greed. || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Rachel...? || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there. || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || Almond milk. Shower. An uncrowded place. And the one person that matters to me. || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared... || I’m anxious I might never find the app developers.
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || Muffin pan. I’m tired of cookies now. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || Ur always with me, so ur... I’ll tell you the rest later. || You’ve spent all mornings and nights with me. Please keep doing that.
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Money is might. Which is why it can ruin someone. || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more. || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || Every single moment i spend as i wait for your calls and chats. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || Getting troubles the moment they seem like they’ll go away. || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me. || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || Every positive word makes me think of you. And i like it. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || If i can meet your standards - if i can make you certain, that’s good enough for me. || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it. || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || I’d treat them invisible, even if they happen to stand right before me. || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again. || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Chilling by myself at home, quiet and clean. And talking to you. || Diving into comfy blankets!
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you? || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps. || Don’t talk to me. I have to finish this comic book uninterrupted.
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || That sometimes happens. And it will eventually pass. || Hehehe. You think that’s the end of it?
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || You, quiet place, carrots, piano, poseidon. That’s about it. || I wanna try meats roasted by a meat master... All by myself...
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong. || Eating ice cream with Gold for one last time.
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || ...That’s so not true... Fine. Let’s say it’s tain and malong. || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || You, of course. || @@ & my movies. Space in my head is limited these days.
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || This fiancee came out of nowhere. || Being hospitalized! If your body suffers, so will your heart. Sniffle.
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || That never happened. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I think i did, although i didnt plan to. But i certainly wont do that to you. || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed. || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later... || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Rock paper scissors...? || Puzzle, I guess? I believe I was a toddler back then...
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || I dont believe in telepathy, but i wanna try sending it to you... I miss you. || Oh, I’ll just use the telepathy. We share a separate channel.
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you. || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny. || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || I wanna be alone, but at the same time i dont want loneliness to take over me. || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || Becuz once you forgive, you can no longer hate... I think that’s why. || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant. || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Protect me from evtng that tries to control me. Just let me be. That way i can breathe. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I wanna cut all ties with my family. And set off for a new life. || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine. || Wait... How come it makes me sniffle...
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Why would you listen to that? You shouldnt give room for nonsense in the first place. || Of course I’d ignore it. I’d like to ask if that person is doing just that.
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth. || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || Lame...? First of all, i’ve never used the term. || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it? || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || I’m sleepy. This is so annoying. I miss you. || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Fried eggs... Though i dont want to admit it... Shoot... || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || The time i have spent with you - that i can assure you. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand. || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit. || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me. || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew... || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || Who else would make me feel like that? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time. || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || Being generous to me but strict to the others... And is this supposed to be bad? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || Yeah... Sort of... When we connected. || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature. || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in. || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it. || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong. || Wait... Did I turn off the lights before leaving?!
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Leave them, until they can cope with their own emotions. They are sad cuz they are sad. || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars. || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more. || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || I know there’s nothing i can do about the terms on the contract, but... || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || No. Why would i compare myself to the others? || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship. || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || I would have emancipated myself from my family. And perhaps i got to draw some more. || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || I want you to call out my name. Make my heart alive and beating again. || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like. || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health. || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.
|-
| 100 || Touching on a Sensitive Topic || || Is there anything you would like to say regarding politics? Let us respect what everyone has to say! || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly. || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease. || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When it’s quiet and free. And when you need me... I guess. || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || Just human. I may be bit cold and uncaring, but i’d say i’m human enough. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || I have pure taste buds. Period. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you. || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes. || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good. || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || These days i’d say it’s a success when i get to laugh with you for the day. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun. || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one. || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you. || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to understand the meaning of care and love ever since i met you. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see. || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || Respecting each other. I never knew how to do that before i met you. || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!
|-
| 120 || Recruiting Agents to Destroy Concerns || || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house. || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || A percent - or is that too much? We dont care about each other. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’ || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || No, i’m just me. || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m a bit tired, but i’m healthy enough. || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Just ignore them - dont let them get into your life. || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I dont need pets other than poseidon - and i certainly dont need a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || The latter. But if you are to become fond of someone... Maybe i’ll go for former. || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream. || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me. || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me. || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one. || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || I’m already famous, although that happens under a horse mask. Not that popularity changed my life. || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone. || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || No. I dont care if i lose. Anyone’s welcome to beat me. || Loving my love. I want to give her the biggest love she can ever experience in her life.
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || Build a second carrot lab, i guess? And i’ll make myself a vvip. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me. || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.
|-
| 143 || Borrowing Your Head || || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good. || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Keep going. Dont give up until the end. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story. || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || I got to know you. And... I got to know a bit about love. || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || I’m not lying. Adding smth that your party will take as hospitality counts as strategy. || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Every favor requires a return in human relations. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity. || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting. || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || I wonder what i’ll look like as a girl. I’m kind of curious. || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I wish i could go back to the day i met you. I wish i could be nicer. || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right? || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || Everyone who still addresses me as young master. || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When i’m sleeping. If i dont focus, i’ll wake up in no time. || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all. || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || Diorama... Just kidding. It’s my phone - it lets me talk to you. || My phone. I’ll never know exactly when she’ll message me.
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And... || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you. || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it. || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Spending time alone where it’s quiet. And thinking about you. || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal. || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!
|-
| 165 || Proving Connections from Childhood || || What would be a must-activity that you would do for the future generation? || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them. || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’ || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy. || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me. || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you. || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I did that all the time when i was young. I used to do only what my mother and father told me. || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || Evtng that makes me who i am. Including you, of course. || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || Timid? Me? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt. || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || At leisure, as always. Which must be why i feel less tense. || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask. || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone. || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot. || Good job... Good job on not turning it into a catfight.
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || So you managed to reach an agreement with a lawyer. I give you an applause. || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business. || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.
|-
| 184 || Healing Trauma || || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || In most cases, things will get better if you stay away from the cause. || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || You. That’s the only term that stands for love to me. || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine? || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while. || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.
|-
| 189 || Blueprinting Link of Help || || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Offering help is no different from causing damage to me. I dont want to have it. Or give it. || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence. || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you. || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best. || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || A pill that can replace all three meals. That would be a huge leap in science. || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you. || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || Dont remember, and even if it happened i’m sure someone from my family forced it into my head. || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you. || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do. || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
63dba27bdac316cdada9c5053c1c288757878b5f
1654
1636
2023-04-08T14:57:23Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! C1H2O3I4 (Harry) !! S1U2M3M4 (TEO)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous. || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || A picture of carrots. || Parts of my life. But if I were an influencer, I guess I can post just about anything.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural. || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection. || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I don’t know why, but i’m reminded of the people who suffered because of my criticisms. || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’ || I’m just me! I don’t need 280 letters! Muahahaha!
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || Tell urself that ur ok, and you will be. || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || You keep bothering me... Just you wait, i’m talking to you in a bit. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish. || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit. || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || Must have all meals. And dont be hopelessly rude when being social. || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever. || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!
|-
| 15 || Searching for Lost Courage || || Tell us when you could not do what you wanted to do. || When i was young, i wanted to be free. But not anymore. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me. || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || || Have you ever found a prize that did not meet your hard work? || When i burned one fried egg after another. || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || Better be lonely than chained. || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to have a cup of black tea. And talk to you. And go swimming. || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || My family’s expectations and greed. || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Rachel...? || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there. || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || Almond milk. Shower. An uncrowded place. And the one person that matters to me. || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared... || I’m anxious I might never find the app developers.
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || Muffin pan. I’m tired of cookies now. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || Ur always with me, so ur... I’ll tell you the rest later. || You’ve spent all mornings and nights with me. Please keep doing that.
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Money is might. Which is why it can ruin someone. || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more. || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || Every single moment i spend as i wait for your calls and chats. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || Getting troubles the moment they seem like they’ll go away. || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me. || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || Every positive word makes me think of you. And i like it. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || If i can meet your standards - if i can make you certain, that’s good enough for me. || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it. || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || I’d treat them invisible, even if they happen to stand right before me. || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again. || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Chilling by myself at home, quiet and clean. And talking to you. || Diving into comfy blankets!
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you? || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps. || Don’t talk to me. I have to finish this comic book uninterrupted.
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || That sometimes happens. And it will eventually pass. || Hehehe. You think that’s the end of it?
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || You, quiet place, carrots, piano, poseidon. That’s about it. || I wanna try meats roasted by a meat master... All by myself...
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong. || Eating ice cream with Gold for one last time.
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || ...That’s so not true... Fine. Let’s say it’s tain and malong. || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || You, of course. || @@ & my movies. Space in my head is limited these days.
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || This fiancee came out of nowhere. || Being hospitalized! If your body suffers, so will your heart. Sniffle.
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || That never happened. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I think i did, although i didnt plan to. But i certainly wont do that to you. || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed. || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later... || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Rock paper scissors...? || Puzzle, I guess? I believe I was a toddler back then...
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || I dont believe in telepathy, but i wanna try sending it to you... I miss you. || Oh, I’ll just use the telepathy. We share a separate channel.
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you. || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny. || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || I wanna be alone, but at the same time i dont want loneliness to take over me. || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || Becuz once you forgive, you can no longer hate... I think that’s why. || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant. || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Protect me from evtng that tries to control me. Just let me be. That way i can breathe. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I wanna cut all ties with my family. And set off for a new life. || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine. || Wait... How come it makes me sniffle...
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Why would you listen to that? You shouldnt give room for nonsense in the first place. || Of course I’d ignore it. I’d like to ask if that person is doing just that.
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth. || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || Lame...? First of all, i’ve never used the term. || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it? || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || I’m sleepy. This is so annoying. I miss you. || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Fried eggs... Though i dont want to admit it... Shoot... || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || The time i have spent with you - that i can assure you. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand. || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit. || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me. || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew... || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || Who else would make me feel like that? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time. || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || Being generous to me but strict to the others... And is this supposed to be bad? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || Yeah... Sort of... When we connected. || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature. || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in. || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it. || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong. || Wait... Did I turn off the lights before leaving?!
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Leave them, until they can cope with their own emotions. They are sad cuz they are sad. || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars. || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more. || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || I know there’s nothing i can do about the terms on the contract, but... || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || No. Why would i compare myself to the others? || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship. || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || I would have emancipated myself from my family. And perhaps i got to draw some more. || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || I want you to call out my name. Make my heart alive and beating again. || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like. || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health. || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.
|-
| 100 || Touching on a Sensitive Topic || || Is there anything you would like to say regarding politics? Let us respect what everyone has to say! || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly. || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease. || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When it’s quiet and free. And when you need me... I guess. || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || Just human. I may be bit cold and uncaring, but i’d say i’m human enough. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || I have pure taste buds. Period. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you. || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes. || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good. || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || These days i’d say it’s a success when i get to laugh with you for the day. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun. || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one. || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you. || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to understand the meaning of care and love ever since i met you. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see. || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || Respecting each other. I never knew how to do that before i met you. || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!
|-
| 120 || Recruiting Agents to Destroy Concerns || || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house. || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || A percent - or is that too much? We dont care about each other. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’ || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || No, i’m just me. || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m a bit tired, but i’m healthy enough. || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Just ignore them - dont let them get into your life. || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I dont need pets other than poseidon - and i certainly dont need a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || The latter. But if you are to become fond of someone... Maybe i’ll go for former. || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream. || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me. || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me. || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one. || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || I’m already famous, although that happens under a horse mask. Not that popularity changed my life. || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone. || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || No. I dont care if i lose. Anyone’s welcome to beat me. || Loving my love. I want to give her the biggest love she can ever experience in her life.
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || Build a second carrot lab, i guess? And i’ll make myself a vvip. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me. || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.
|-
| 143 || Borrowing Your Head || || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good. || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Keep going. Dont give up until the end. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story. || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || I got to know you. And... I got to know a bit about love. || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || I’m not lying. Adding smth that your party will take as hospitality counts as strategy. || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Every favor requires a return in human relations. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity. || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting. || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || I wonder what i’ll look like as a girl. I’m kind of curious. || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I wish i could go back to the day i met you. I wish i could be nicer. || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right? || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || Everyone who still addresses me as young master. || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When i’m sleeping. If i dont focus, i’ll wake up in no time. || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all. || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || Diorama... Just kidding. It’s my phone - it lets me talk to you. || My phone. I’ll never know exactly when she’ll message me.
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And... || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you. || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it. || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Spending time alone where it’s quiet. And thinking about you. || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal. || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!
|-
| 165 || Proving Connections from Childhood || || What would be a must-activity that you would do for the future generation? || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them. || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’ || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy. || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me. || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you. || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I did that all the time when i was young. I used to do only what my mother and father told me. || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || Evtng that makes me who i am. Including you, of course. || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || Timid? Me? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt. || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || At leisure, as always. Which must be why i feel less tense. || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask. || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone. || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot. || Good job... Good job on not turning it into a catfight.
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || So you managed to reach an agreement with a lawyer. I give you an applause. || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business. || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.
|-
| 184 || Healing Trauma || || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || In most cases, things will get better if you stay away from the cause. || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || You. That’s the only term that stands for love to me. || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine? || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while. || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Offering help is no different from causing damage to me. I dont want to have it. Or give it. || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence. || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you. || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best. || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || A pill that can replace all three meals. That would be a huge leap in science. || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you. || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || Dont remember, and even if it happened i’m sure someone from my family forced it into my head. || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you. || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do. || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
678b725dd53e4d1ff1834bb206f6e6cb7085e8a2
1655
1654
2023-04-13T04:37:49Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! C1H2O3I4 (Harry) !! S1U2M3M4 (TEO)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous. || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || A picture of carrots. || Parts of my life. But if I were an influencer, I guess I can post just about anything.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural. || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection. || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I don’t know why, but i’m reminded of the people who suffered because of my criticisms. || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’ || I’m just me! I don’t need 280 letters! Muahahaha!
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || Tell urself that ur ok, and you will be. || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || You keep bothering me... Just you wait, i’m talking to you in a bit. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish. || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit. || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || Must have all meals. And dont be hopelessly rude when being social. || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever. || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || When i was young, i wanted to be free. But not anymore. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me. || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || When i burned one fried egg after another. || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || Better be lonely than chained. || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to have a cup of black tea. And talk to you. And go swimming. || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || My family’s expectations and greed. || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Rachel...? || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there. || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || Almond milk. Shower. An uncrowded place. And the one person that matters to me. || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared... || I’m anxious I might never find the app developers.
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || Muffin pan. I’m tired of cookies now. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || Ur always with me, so ur... I’ll tell you the rest later. || You’ve spent all mornings and nights with me. Please keep doing that.
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Money is might. Which is why it can ruin someone. || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more. || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || Every single moment i spend as i wait for your calls and chats. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || Getting troubles the moment they seem like they’ll go away. || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me. || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || Every positive word makes me think of you. And i like it. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || If i can meet your standards - if i can make you certain, that’s good enough for me. || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it. || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || I’d treat them invisible, even if they happen to stand right before me. || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again. || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Chilling by myself at home, quiet and clean. And talking to you. || Diving into comfy blankets!
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you? || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps. || Don’t talk to me. I have to finish this comic book uninterrupted.
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || That sometimes happens. And it will eventually pass. || Hehehe. You think that’s the end of it?
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || You, quiet place, carrots, piano, poseidon. That’s about it. || I wanna try meats roasted by a meat master... All by myself...
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong. || Eating ice cream with Gold for one last time.
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || ...That’s so not true... Fine. Let’s say it’s tain and malong. || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || You, of course. || @@ & my movies. Space in my head is limited these days.
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || This fiancee came out of nowhere. || Being hospitalized! If your body suffers, so will your heart. Sniffle.
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || That never happened. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I think i did, although i didnt plan to. But i certainly wont do that to you. || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed. || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later... || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Rock paper scissors...? || Puzzle, I guess? I believe I was a toddler back then...
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || I dont believe in telepathy, but i wanna try sending it to you... I miss you. || Oh, I’ll just use the telepathy. We share a separate channel.
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you. || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny. || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || I wanna be alone, but at the same time i dont want loneliness to take over me. || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || Becuz once you forgive, you can no longer hate... I think that’s why. || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant. || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Protect me from evtng that tries to control me. Just let me be. That way i can breathe. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I wanna cut all ties with my family. And set off for a new life. || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine. || Wait... How come it makes me sniffle...
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Why would you listen to that? You shouldnt give room for nonsense in the first place. || Of course I’d ignore it. I’d like to ask if that person is doing just that.
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth. || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || Lame...? First of all, i’ve never used the term. || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it? || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || I’m sleepy. This is so annoying. I miss you. || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Fried eggs... Though i dont want to admit it... Shoot... || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || The time i have spent with you - that i can assure you. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand. || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit. || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me. || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew... || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || Who else would make me feel like that? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time. || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || Being generous to me but strict to the others... And is this supposed to be bad? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || Yeah... Sort of... When we connected. || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature. || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in. || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it. || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong. || Wait... Did I turn off the lights before leaving?!
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Leave them, until they can cope with their own emotions. They are sad cuz they are sad. || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars. || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more. || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || I know there’s nothing i can do about the terms on the contract, but... || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || No. Why would i compare myself to the others? || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship. || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || I would have emancipated myself from my family. And perhaps i got to draw some more. || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || I want you to call out my name. Make my heart alive and beating again. || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like. || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health. || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.
|-
| 100 || Touching on a Sensitive Topic || || Is there anything you would like to say regarding politics? Let us respect what everyone has to say! || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly. || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease. || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When it’s quiet and free. And when you need me... I guess. || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || Just human. I may be bit cold and uncaring, but i’d say i’m human enough. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || I have pure taste buds. Period. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you. || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes. || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good. || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || These days i’d say it’s a success when i get to laugh with you for the day. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun. || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one. || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you. || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to understand the meaning of care and love ever since i met you. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see. || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || Respecting each other. I never knew how to do that before i met you. || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house. || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || A percent - or is that too much? We dont care about each other. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’ || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || No, i’m just me. || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m a bit tired, but i’m healthy enough. || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Just ignore them - dont let them get into your life. || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I dont need pets other than poseidon - and i certainly dont need a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || The latter. But if you are to become fond of someone... Maybe i’ll go for former. || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream. || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me. || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me. || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one. || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || I’m already famous, although that happens under a horse mask. Not that popularity changed my life. || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone. || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || No. I dont care if i lose. Anyone’s welcome to beat me. || Loving my love. I want to give her the biggest love she can ever experience in her life.
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || Build a second carrot lab, i guess? And i’ll make myself a vvip. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me. || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good. || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Keep going. Dont give up until the end. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story. || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || I got to know you. And... I got to know a bit about love. || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || I’m not lying. Adding smth that your party will take as hospitality counts as strategy. || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Every favor requires a return in human relations. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity. || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting. || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || I wonder what i’ll look like as a girl. I’m kind of curious. || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I wish i could go back to the day i met you. I wish i could be nicer. || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right? || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || Everyone who still addresses me as young master. || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When i’m sleeping. If i dont focus, i’ll wake up in no time. || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all. || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || Diorama... Just kidding. It’s my phone - it lets me talk to you. || My phone. I’ll never know exactly when she’ll message me.
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And... || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you. || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it. || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Spending time alone where it’s quiet. And thinking about you. || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal. || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them. || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’ || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy. || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me. || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you. || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I did that all the time when i was young. I used to do only what my mother and father told me. || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || Evtng that makes me who i am. Including you, of course. || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || Timid? Me? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt. || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || At leisure, as always. Which must be why i feel less tense. || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask. || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone. || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot. || Good job... Good job on not turning it into a catfight.
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || So you managed to reach an agreement with a lawyer. I give you an applause. || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business. || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.
|-
| 184 || Healing Trauma || || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || In most cases, things will get better if you stay away from the cause. || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || You. That’s the only term that stands for love to me. || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine? || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while. || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Offering help is no different from causing damage to me. I dont want to have it. Or give it. || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence. || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you. || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best. || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || A pill that can replace all three meals. That would be a huge leap in science. || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you. || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || Dont remember, and even if it happened i’m sure someone from my family forced it into my head. || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you. || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do. || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
a9009021be1f5fc236da4208f8a10f98001d9e33
1656
1655
2023-04-13T04:42:40Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! C1H2O3I4 (Harry) !! S1U2M3M4 (TEO)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous. || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || A picture of carrots. || Parts of my life. But if I were an influencer, I guess I can post just about anything.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural. || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection. || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I don’t know why, but i’m reminded of the people who suffered because of my criticisms. || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’ || I’m just me! I don’t need 280 letters! Muahahaha!
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || Tell urself that ur ok, and you will be. || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || You keep bothering me... Just you wait, i’m talking to you in a bit. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish. || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit. || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || Must have all meals. And dont be hopelessly rude when being social. || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever. || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || When i was young, i wanted to be free. But not anymore. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me. || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || When i burned one fried egg after another. || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || Better be lonely than chained. || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to have a cup of black tea. And talk to you. And go swimming. || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || My family’s expectations and greed. || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Rachel...? || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there. || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || Almond milk. Shower. An uncrowded place. And the one person that matters to me. || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared... || I’m anxious I might never find the app developers.
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || Muffin pan. I’m tired of cookies now. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || Ur always with me, so ur... I’ll tell you the rest later. || You’ve spent all mornings and nights with me. Please keep doing that.
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Money is might. Which is why it can ruin someone. || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more. || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || Every single moment i spend as i wait for your calls and chats. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || Getting troubles the moment they seem like they’ll go away. || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me. || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || Every positive word makes me think of you. And i like it. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || If i can meet your standards - if i can make you certain, that’s good enough for me. || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it. || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || I’d treat them invisible, even if they happen to stand right before me. || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again. || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Chilling by myself at home, quiet and clean. And talking to you. || Diving into comfy blankets!
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you? || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps. || Don’t talk to me. I have to finish this comic book uninterrupted.
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || That sometimes happens. And it will eventually pass. || Hehehe. You think that’s the end of it?
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || You, quiet place, carrots, piano, poseidon. That’s about it. || I wanna try meats roasted by a meat master... All by myself...
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong. || Eating ice cream with Gold for one last time.
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || ...That’s so not true... Fine. Let’s say it’s tain and malong. || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || You, of course. || @@ & my movies. Space in my head is limited these days.
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || This fiancee came out of nowhere. || Being hospitalized! If your body suffers, so will your heart. Sniffle.
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || That never happened. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I think i did, although i didnt plan to. But i certainly wont do that to you. || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed. || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later... || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Rock paper scissors...? || Puzzle, I guess? I believe I was a toddler back then...
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || I dont believe in telepathy, but i wanna try sending it to you... I miss you. || Oh, I’ll just use the telepathy. We share a separate channel.
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you. || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny. || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || I wanna be alone, but at the same time i dont want loneliness to take over me. || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || Becuz once you forgive, you can no longer hate... I think that’s why. || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant. || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Protect me from evtng that tries to control me. Just let me be. That way i can breathe. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I wanna cut all ties with my family. And set off for a new life. || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine. || Wait... How come it makes me sniffle...
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Why would you listen to that? You shouldnt give room for nonsense in the first place. || Of course I’d ignore it. I’d like to ask if that person is doing just that.
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth. || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || Lame...? First of all, i’ve never used the term. || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it? || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || I’m sleepy. This is so annoying. I miss you. || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Fried eggs... Though i dont want to admit it... Shoot... || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || The time i have spent with you - that i can assure you. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand. || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit. || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me. || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew... || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || Who else would make me feel like that? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time. || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || Being generous to me but strict to the others... And is this supposed to be bad? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || Yeah... Sort of... When we connected. || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature. || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in. || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it. || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong. || Wait... Did I turn off the lights before leaving?!
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Leave them, until they can cope with their own emotions. They are sad cuz they are sad. || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars. || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more. || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || I know there’s nothing i can do about the terms on the contract, but... || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || No. Why would i compare myself to the others? || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship. || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || I would have emancipated myself from my family. And perhaps i got to draw some more. || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || I want you to call out my name. Make my heart alive and beating again. || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like. || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health. || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.
|-
| 100 (old) || Touching on a Sensitive Topic || A variety of studies || Is there anything you would like to say regarding politics? Let us respect what everyone has to say! || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly. || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease. || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When it’s quiet and free. And when you need me... I guess. || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || Just human. I may be bit cold and uncaring, but i’d say i’m human enough. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || I have pure taste buds. Period. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you. || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes. || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good. || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || These days i’d say it’s a success when i get to laugh with you for the day. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun. || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one. || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you. || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to understand the meaning of care and love ever since i met you. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see. || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || Respecting each other. I never knew how to do that before i met you. || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house. || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || A percent - or is that too much? We dont care about each other. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’ || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || No, i’m just me. || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m a bit tired, but i’m healthy enough. || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Just ignore them - dont let them get into your life. || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I dont need pets other than poseidon - and i certainly dont need a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || The latter. But if you are to become fond of someone... Maybe i’ll go for former. || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream. || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me. || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me. || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one. || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || I’m already famous, although that happens under a horse mask. Not that popularity changed my life. || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone. || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || No. I dont care if i lose. Anyone’s welcome to beat me. || Loving my love. I want to give her the biggest love she can ever experience in her life.
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || Build a second carrot lab, i guess? And i’ll make myself a vvip. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me. || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good. || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Keep going. Dont give up until the end. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story. || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || I got to know you. And... I got to know a bit about love. || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || I’m not lying. Adding smth that your party will take as hospitality counts as strategy. || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Every favor requires a return in human relations. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity. || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting. || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || I wonder what i’ll look like as a girl. I’m kind of curious. || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I wish i could go back to the day i met you. I wish i could be nicer. || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right? || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || Everyone who still addresses me as young master. || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When i’m sleeping. If i dont focus, i’ll wake up in no time. || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all. || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || Diorama... Just kidding. It’s my phone - it lets me talk to you. || My phone. I’ll never know exactly when she’ll message me.
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And... || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you. || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it. || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Spending time alone where it’s quiet. And thinking about you. || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal. || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them. || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’ || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy. || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me. || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you. || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I did that all the time when i was young. I used to do only what my mother and father told me. || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || Evtng that makes me who i am. Including you, of course. || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || Timid? Me? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt. || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || At leisure, as always. Which must be why i feel less tense. || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask. || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone. || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot. || Good job... Good job on not turning it into a catfight.
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || So you managed to reach an agreement with a lawyer. I give you an applause. || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business. || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.
|-
| 184 || Healing Trauma || || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || In most cases, things will get better if you stay away from the cause. || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || You. That’s the only term that stands for love to me. || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine? || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while. || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Offering help is no different from causing damage to me. I dont want to have it. Or give it. || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence. || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you. || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best. || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || A pill that can replace all three meals. That would be a huge leap in science. || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you. || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || Dont remember, and even if it happened i’m sure someone from my family forced it into my head. || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you. || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do. || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
a1a0ea818ba59d912d05bd674a8cc7e7380094e4
1657
1656
2023-04-13T04:43:48Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! C1H2O3I4 (Harry) !! S1U2M3M4 (TEO)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous. || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || A picture of carrots. || Parts of my life. But if I were an influencer, I guess I can post just about anything.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || No squaring jaws. No tightening in the eyes. No sleeping. And there you have it. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural. || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection. || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I don’t know why, but i’m reminded of the people who suffered because of my criticisms. || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’ || I’m just me! I don’t need 280 letters! Muahahaha!
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || Tell urself that ur ok, and you will be. || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || You keep bothering me... Just you wait, i’m talking to you in a bit. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish. || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit. || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || Must have all meals. And dont be hopelessly rude when being social. || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever. || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || When i was young, i wanted to be free. But not anymore. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me. || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || When i burned one fried egg after another. || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || Better be lonely than chained. || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to have a cup of black tea. And talk to you. And go swimming. || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || My family’s expectations and greed. || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || I want to be on a no-man’s island with you. That way maybe i’d get to laugh often. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || Rachel...? || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there. || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || Almond milk. Shower. An uncrowded place. And the one person that matters to me. || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared... || I’m anxious I might never find the app developers.
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || Muffin pan. I’m tired of cookies now. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || Ur always with me, so ur... I’ll tell you the rest later. || You’ve spent all mornings and nights with me. Please keep doing that.
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Money is might. Which is why it can ruin someone. || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more. || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || Every single moment i spend as i wait for your calls and chats. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || Getting troubles the moment they seem like they’ll go away. || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me. || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || Every positive word makes me think of you. And i like it. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || If i can meet your standards - if i can make you certain, that’s good enough for me. || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Hope you become my queen. It wouldn’t be so bad to do what you tell me to. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it. || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || I’d treat them invisible, even if they happen to stand right before me. || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again. || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Chilling by myself at home, quiet and clean. And talking to you. || Diving into comfy blankets!
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you? || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps. || Don’t talk to me. I have to finish this comic book uninterrupted.
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || That sometimes happens. And it will eventually pass. || Hehehe. You think that’s the end of it?
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || You, quiet place, carrots, piano, poseidon. That’s about it. || I wanna try meats roasted by a meat master... All by myself...
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong. || Eating ice cream with Gold for one last time.
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || ...That’s so not true... Fine. Let’s say it’s tain and malong. || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || You, of course. || @@ & my movies. Space in my head is limited these days.
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || This fiancee came out of nowhere. || Being hospitalized! If your body suffers, so will your heart. Sniffle.
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || That never happened. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I think i did, although i didnt plan to. But i certainly wont do that to you. || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed. || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later... || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Rock paper scissors...? || Puzzle, I guess? I believe I was a toddler back then...
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || I dont believe in telepathy, but i wanna try sending it to you... I miss you. || Oh, I’ll just use the telepathy. We share a separate channel.
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you. || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny. || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || I wanna be alone, but at the same time i dont want loneliness to take over me. || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || Becuz once you forgive, you can no longer hate... I think that’s why. || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant. || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || Protect me from evtng that tries to control me. Just let me be. That way i can breathe. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I wanna cut all ties with my family. And set off for a new life. || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine. || Wait... How come it makes me sniffle...
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Why would you listen to that? You shouldnt give room for nonsense in the first place. || Of course I’d ignore it. I’d like to ask if that person is doing just that.
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth. || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || Lame...? First of all, i’ve never used the term. || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it? || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || I’m sleepy. This is so annoying. I miss you. || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Fried eggs... Though i dont want to admit it... Shoot... || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || The time i have spent with you - that i can assure you. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand. || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit. || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me. || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew... || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || Who else would make me feel like that? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time. || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || Being generous to me but strict to the others... And is this supposed to be bad? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || Yeah... Sort of... When we connected. || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature. || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in. || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it. || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong. || Wait... Did I turn off the lights before leaving?!
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Leave them, until they can cope with their own emotions. They are sad cuz they are sad. || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars. || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more. || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || I know there’s nothing i can do about the terms on the contract, but... || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || No. Why would i compare myself to the others? || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship. || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || I would have emancipated myself from my family. And perhaps i got to draw some more. || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || I want you to call out my name. Make my heart alive and beating again. || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like. || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health. || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all? || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly. || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease. || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When it’s quiet and free. And when you need me... I guess. || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || Just human. I may be bit cold and uncaring, but i’d say i’m human enough. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || I have pure taste buds. Period. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you. || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes. || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good. || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || These days i’d say it’s a success when i get to laugh with you for the day. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun. || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one. || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you. || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to understand the meaning of care and love ever since i met you. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see. || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || Respecting each other. I never knew how to do that before i met you. || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house. || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || A percent - or is that too much? We dont care about each other. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’ || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || No, i’m just me. || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m a bit tired, but i’m healthy enough. || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || Just ignore them - dont let them get into your life. || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I dont need pets other than poseidon - and i certainly dont need a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || The latter. But if you are to become fond of someone... Maybe i’ll go for former. || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream. || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me. || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me. || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one. || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || I’m already famous, although that happens under a horse mask. Not that popularity changed my life. || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone. || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || No. I dont care if i lose. Anyone’s welcome to beat me. || Loving my love. I want to give her the biggest love she can ever experience in her life.
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || Build a second carrot lab, i guess? And i’ll make myself a vvip. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me. || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good. || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Keep going. Dont give up until the end. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story. || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || I got to know you. And... I got to know a bit about love. || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || I’m not lying. Adding smth that your party will take as hospitality counts as strategy. || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Every favor requires a return in human relations. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I always decide what i am. That’s how i’ve lived ever since i found a sense of identity. || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting. || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || I wonder what i’ll look like as a girl. I’m kind of curious. || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I wish i could go back to the day i met you. I wish i could be nicer. || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right? || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || Everyone who still addresses me as young master. || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When i’m sleeping. If i dont focus, i’ll wake up in no time. || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all. || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || Diorama... Just kidding. It’s my phone - it lets me talk to you. || My phone. I’ll never know exactly when she’ll message me.
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And... || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you. || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it. || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Spending time alone where it’s quiet. And thinking about you. || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal. || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them. || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’ || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy. || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me. || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you. || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I did that all the time when i was young. I used to do only what my mother and father told me. || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || Evtng that makes me who i am. Including you, of course. || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || Timid? Me? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt. || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || At leisure, as always. Which must be why i feel less tense. || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask. || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone. || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || I was careless, not meant to be in a relationship. But... I dont think i have changed a lot. || Good job... Good job on not turning it into a catfight.
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || So you managed to reach an agreement with a lawyer. I give you an applause. || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business. || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.
|-
| 184 || Healing Trauma || || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || In most cases, things will get better if you stay away from the cause. || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || You. That’s the only term that stands for love to me. || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine? || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while. || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || Offering help is no different from causing damage to me. I dont want to have it. Or give it. || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence. || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you. || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best. || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || A pill that can replace all three meals. That would be a huge leap in science. || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you. || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || Dont remember, and even if it happened i’m sure someone from my family forced it into my head. || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you. || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do. || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
5a95c9c79d197ca6705d0d4f2df2e591efff4004
File:Variety of Dreams Icon.png
6
933
1637
2023-03-30T14:39:56Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Three Meals Per Day Icon.png
6
934
1638
2023-03-30T14:40:14Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Suspicious Icon.png
6
935
1639
2023-03-30T14:40:28Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Support for Free Men Icon.png
6
936
1640
2023-03-30T14:41:07Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Suddenly Mad Icon.png
6
937
1641
2023-03-30T14:41:24Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Spacing Out Icon.png
6
938
1642
2023-03-30T14:41:39Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:So Many Alikes Icon.png
6
939
1643
2023-03-30T14:41:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pseudoscientists Icon.png
6
940
1644
2023-03-30T14:42:09Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Poker Face Icon.png
6
941
1645
2023-03-30T14:42:22Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Piu-Piu Is Friend Icon.png
6
942
1646
2023-03-30T14:42:37Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:No Scary Stories Icon.png
6
943
1647
2023-03-30T14:42:51Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lets Not Live Complicated Icon.png
6
944
1648
2023-03-30T14:43:12Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Investigating Likes Icon.png
6
945
1649
2023-03-30T14:43:35Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Greedy Icon.png
6
946
1650
2023-03-30T14:43:52Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:A New Like Icon.png
6
947
1651
2023-03-30T14:44:10Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Dont Be Embarrassed Icon.png
6
948
1652
2023-03-30T14:44:23Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Bluff
0
172
1653
1585
2023-04-05T15:32:09Z
Hyobros
9
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|[[File:Planet_Explorer_Icon.png]]||"Planet Explorer"||Won as 1 Planet has reached Lv. 10!||When you reach Lv. 10, the Aurora will reveal itself.||I am keeping your research data safe.||Energy||Get one planet to level 10.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy; Profile; [Infinite Persona] Title || Change your name 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || x1 Battery<br>x2 Passionate Energy<br>'''[Follow My Desire]''' title || Post 3 "Romance" desires on Root of Desire
|-
| [[File:Desire_for_Family_Icon.png]] ||"Desire for Family" || Won by expressing 3 desires on family on the Root of Desire! || I am sure you will get to find a family that you are looking for! || Family is the most basic unit in human safety. || x1 Battery<br>x2 Passionate Energy<br>'''[Amiable]''' title || Post 3 "Family" desires on Root of Desire
|-
| [[File:What_Is_Your_Desire_Icon.png]] || What Is Your Desire? || Won by expressing 3 desires on others on the Root of Desire! || I would like to know what kind of desire you have revealed. || I have been requesting the Lab for 3 years to equip me with a rhythmic game. || x1 Battery<br>x2 Passionate Energy<br>'''[Secretive]''' title || Post 3 "Other" desires on Root of Desire
|-
| [[File:Desire_For_Good_Career_Icon.png]] || "Desire forr Good Career" || Won by expressing 3 desires on career on the Root of Desire! || Never stop wishing to become a CEO! Or a board member! Or an executive! || I happen to be quite high in rank in the Lab. || x1 Battery<br>x2 Passionate Energy<br>'''[Workaholic]''' title || Post 3 "Career" desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
ec07353716d54d9e75fe0e98afa6ae8c3c297ee6
1658
1653
2023-04-13T14:22:30Z
Hyobros
9
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in labs and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|[[File:Planet_Explorer_Icon.png]]||"Planet Explorer"||Won as 1 Planet has reached Lv. 10!||When you reach Lv. 10, the Aurora will reveal itself.||I am keeping your research data safe.||Energy||Get one planet to level 10.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy<br>[Infinite Persona] Title || Change your name 10 times.
|-
| [[File:Collecting Trivial Features Icon.png]] ||"Joy in Life: Collecting Trivial Features"||Found 10 trivial features!||How do you lke it, MC? Is it not fun to collect features for Trivial Features?||The Trivial Features is itching.||x2 Galactic energy<br>[Trivial] title||Unlock 10 trivial features
|-
| [[File:Collecting Very Trivial Features Icon.png]]||"Joy in Life: Collecting Very Trivial Features"||Found 30 trivial features!||I am honored to meet the expert collector of features for Trivial Features. Soon you will be a master collector.||You had better not ignore Trivial Features... Actually, you can. That is what it is for.||x2 Galactic energy(?)<br>[Trivial Collector] Title
|-
| [[File:Collecting Extremely Trivial Features Icon.png]]||"Joy in Life: Collecting Extremely Trivial Features"||TBA||TBA||TBA||TBA||TBA
|-
| [[File:See You Again Icon.png]]||"Goodbye, See You Again Soon!"||Won by closing the application for 10 times!||To me, even the closing of the app brings joy! Because closing the app 10 times means that you have visited at least 10 times!||Since we are much closer now, can we skip send-offs? My wings are tired.||x2 Jolly Energy<br>[Enchanting] Title||Close the app 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || x1 Battery<br>x2 Passionate Energy<br>'''[Follow My Desire]''' title || Post 3 "Romance" desires on Root of Desire
|-
| [[File:Desire_for_Family_Icon.png]] ||"Desire for Family" || Won by expressing 3 desires on family on the Root of Desire! || I am sure you will get to find a family that you are looking for! || Family is the most basic unit in human safety. || x1 Battery<br>x2 Passionate Energy<br>'''[Amiable]''' title || Post 3 "Family" desires on Root of Desire
|-
| [[File:What_Is_Your_Desire_Icon.png]] || What Is Your Desire? || Won by expressing 3 desires on others on the Root of Desire! || I would like to know what kind of desire you have revealed. || I have been requesting the Lab for 3 years to equip me with a rhythmic game. || x1 Battery<br>x2 Passionate Energy<br>'''[Secretive]''' title || Post 3 "Other" desires on Root of Desire
|-
| [[File:Desire_For_Good_Career_Icon.png]] || "Desire forr Good Career" || Won by expressing 3 desires on career on the Root of Desire! || Never stop wishing to become a CEO! Or a board member! Or an executive! || I happen to be quite high in rank in the Lab. || x1 Battery<br>x2 Passionate Energy<br>'''[Workaholic]''' title || Post 3 "Career" desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|-
| [[File:Overwhelming_Desire_Icon.png]] ||"Overwhelming Desire"||Won with dangerous comment!||You seem to be honest about your desires. It is not surprising. Of course not. But Teo seems a little embarrassed.||When your mind is overflowing with desire, I recommend breathing exercises.||[Pure Desire] Title||Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
7ccb7d475eaa2e094f48464dd47152b5888f6a12
1659
1658
2023-04-18T13:36:08Z
Hyobros
9
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in the free emotion study and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|[[File:Planet_Explorer_Icon.png]]||"Planet Explorer"||Won as 1 Planet has reached Lv. 10!||When you reach Lv. 10, the Aurora will reveal itself.||I am keeping your research data safe.||Energy||Get one planet to level 10.
|-
| [[File:Thinking More 120 Free Icon.png]]||"Thinking more by 120% to be free"||Won by making 100 expressions to show what you achieved for today's study on free emotions!||I can feel infinite freedom from your posts these days.||I see somebody's free emotion drifting in space - 'MC's post might come up any minute!'||x2 Battery<br>x2 Peaceful Energy<br>[Vice Lab President]||Make 100 responses to free emotion studies.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy<br>[Infinite Persona] Title || Change your name 10 times.
|-
| [[File:Collecting Trivial Features Icon.png]] ||"Joy in Life: Collecting Trivial Features"||Found 10 trivial features!||How do you lke it, MC? Is it not fun to collect features for Trivial Features?||The Trivial Features is itching.||x2 Galactic energy<br>[Trivial] title||Unlock 10 trivial features
|-
| [[File:Collecting Very Trivial Features Icon.png]]||"Joy in Life: Collecting Very Trivial Features"||Found 30 trivial features!||I am honored to meet the expert collector of features for Trivial Features. Soon you will be a master collector.||You had better not ignore Trivial Features... Actually, you can. That is what it is for.||x2 Galactic energy(?)<br>[Trivial Collector] Title
|-
| [[File:Collecting Extremely Trivial Features Icon.png]]||"Joy in Life: Collecting Extremely Trivial Features"||TBA||TBA||TBA||TBA||TBA
|-
| [[File:See You Again Icon.png]]||"Goodbye, See You Again Soon!"||Won by closing the application for 10 times!||To me, even the closing of the app brings joy! Because closing the app 10 times means that you have visited at least 10 times!||Since we are much closer now, can we skip send-offs? My wings are tired.||x2 Jolly Energy<br>[Enchanting] Title||Close the app 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || x1 Battery<br>x2 Passionate Energy<br>'''[Follow My Desire]''' title || Post 3 "Romance" desires on Root of Desire
|-
| [[File:Desire_for_Family_Icon.png]] ||"Desire for Family" || Won by expressing 3 desires on family on the Root of Desire! || I am sure you will get to find a family that you are looking for! || Family is the most basic unit in human safety. || x1 Battery<br>x2 Passionate Energy<br>'''[Amiable]''' title || Post 3 "Family" desires on Root of Desire
|-
| [[File:What_Is_Your_Desire_Icon.png]] || What Is Your Desire? || Won by expressing 3 desires on others on the Root of Desire! || I would like to know what kind of desire you have revealed. || I have been requesting the Lab for 3 years to equip me with a rhythmic game. || x1 Battery<br>x2 Passionate Energy<br>'''[Secretive]''' title || Post 3 "Other" desires on Root of Desire
|-
| [[File:Desire_For_Good_Career_Icon.png]] || "Desire forr Good Career" || Won by expressing 3 desires on career on the Root of Desire! || Never stop wishing to become a CEO! Or a board member! Or an executive! || I happen to be quite high in rank in the Lab. || x1 Battery<br>x2 Passionate Energy<br>'''[Workaholic]''' title || Post 3 "Career" desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || Profile; [The One with Selfie Hacks] Title || Certain chat response
|-
| [[File:Overwhelming_Desire_Icon.png]] ||"Overwhelming Desire"||Won with dangerous comment!||You seem to be honest about your desires. It is not surprising. Of course not. But Teo seems a little embarrassed.||When your mind is overflowing with desire, I recommend breathing exercises.||[Pure Desire] Title||Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:MC is Weak Against the Cold Icon.png]]||"MC is Weak Against the Cold"||Won by being weak against the cold!||I shall order thick blanket and jacket for you to beat the cold.||It is too cold, perhaps the voice output feature will cause an error...||x2 Peaceful Energy<br>[Frozen]||tba
|}
b2d8976d1bd29ca5269e218614c7e2b84c079560
Trivial Features/Bluff
0
172
1660
1659
2023-04-18T13:45:53Z
Hyobros
9
/* Trivials from Chats and Calls */
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in the free emotion study and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|[[File:Planet_Explorer_Icon.png]]||"Planet Explorer"||Won as 1 Planet has reached Lv. 10!||When you reach Lv. 10, the Aurora will reveal itself.||I am keeping your research data safe.||Energy||Get one planet to level 10.
|-
| [[File:Thinking More 120 Free Icon.png]]||"Thinking more by 120% to be free"||Won by making 100 expressions to show what you achieved for today's study on free emotions!||I can feel infinite freedom from your posts these days.||I see somebody's free emotion drifting in space - 'MC's post might come up any minute!'||x2 Battery<br>x2 Peaceful Energy<br>[Vice Lab President]||Make 100 responses to free emotion studies.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found With your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || Energy; Profile; [New Name] Title || Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You Change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || Energy<br>[Infinite Persona] Title || Change your name 10 times.
|-
| [[File:Collecting Trivial Features Icon.png]] ||"Joy in Life: Collecting Trivial Features"||Found 10 trivial features!||How do you lke it, MC? Is it not fun to collect features for Trivial Features?||The Trivial Features is itching.||x2 Galactic energy<br>[Trivial] title||Unlock 10 trivial features
|-
| [[File:Collecting Very Trivial Features Icon.png]]||"Joy in Life: Collecting Very Trivial Features"||Found 30 trivial features!||I am honored to meet the expert collector of features for Trivial Features. Soon you will be a master collector.||You had better not ignore Trivial Features... Actually, you can. That is what it is for.||x2 Galactic energy(?)<br>[Trivial Collector] Title
|-
| [[File:Collecting Extremely Trivial Features Icon.png]]||"Joy in Life: Collecting Extremely Trivial Features"||TBA||TBA||TBA||TBA||TBA
|-
| [[File:See You Again Icon.png]]||"Goodbye, See You Again Soon!"||Won by closing the application for 10 times!||To me, even the closing of the app brings joy! Because closing the app 10 times means that you have visited at least 10 times!||Since we are much closer now, can we skip send-offs? My wings are tired.||x2 Jolly Energy<br>[Enchanting] Title||Close the app 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || x1 Battery<br>x2 Passionate Energy<br>'''[Follow My Desire]''' title || Post 3 "Romance" desires on Root of Desire
|-
| [[File:Desire_for_Family_Icon.png]] ||"Desire for Family" || Won by expressing 3 desires on family on the Root of Desire! || I am sure you will get to find a family that you are looking for! || Family is the most basic unit in human safety. || x1 Battery<br>x2 Passionate Energy<br>'''[Amiable]''' title || Post 3 "Family" desires on Root of Desire
|-
| [[File:What_Is_Your_Desire_Icon.png]] || What Is Your Desire? || Won by expressing 3 desires on others on the Root of Desire! || I would like to know what kind of desire you have revealed. || I have been requesting the Lab for 3 years to equip me with a rhythmic game. || x1 Battery<br>x2 Passionate Energy<br>'''[Secretive]''' title || Post 3 "Other" desires on Root of Desire
|-
| [[File:Desire_For_Good_Career_Icon.png]] || "Desire forr Good Career" || Won by expressing 3 desires on career on the Root of Desire! || Never stop wishing to become a CEO! Or a board member! Or an executive! || I happen to be quite high in rank in the Lab. || x1 Battery<br>x2 Passionate Energy<br>'''[Workaholic]''' title || Post 3 "Career" desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || x2 Logical Energy<br>[The One with Selfie Hacks] Title || Certain chat response
|-
| [[File:Overwhelming_Desire_Icon.png]] ||"Overwhelming Desire"||Won with dangerous comment!||You seem to be honest about your desires. It is not surprising. Of course not. But Teo seems a little embarrassed.||When your mind is overflowing with desire, I recommend breathing exercises.||[Pure Desire] Title||Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:MC is Weak Against the Cold Icon.png]]||"MC is Weak Against the Cold"||Won by being weak against the cold!||I shall order thick blanket and jacket for you to beat the cold.||It is too cold, perhaps the voice output feature will cause an error...||x2 Peaceful Energy<br>[Frozen]||tba
|}
39088951636366155aa504815f285ca4e46a8dde
Category:Piu-Piu
14
949
1661
2023-05-10T01:10:43Z
Hyobros
9
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Level icon 02.png
6
950
1662
2023-05-10T01:20:59Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu. The feathers on its head, wing and tail are red. It's wearing a lab coat and has a beaker with a green substance in front of it.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
ac99b23112f5592a8b4ac2d8bca1b3a445db2b3d
File:Level icon 01.png
6
951
1663
2023-05-10T01:20:59Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu. Feathers on its head, wing, and tail are gray, and it's wearing a light brown temple fedora and a backpack of the same color.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
37b70d15cf9a40f5824bf5a0b9334dd52e6154f6
File:Aurora Piu-Piu.png
6
952
1664
2023-05-10T01:21:01Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile view sprite of Piu-Piu. Its feathers at the top of its head, on its wing and its tail are a gradient of light indigo, to blue, to light blue. It's holding a white flag.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
557f1b1b5b5aa51cce1e1c6631686cd57ab40535
File:Level icon 03.png
6
953
1665
2023-05-10T01:21:02Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu. The feathers on its head, wing and tail are orange. It's wearing a red beret and is holding a paintbrush and a palette with the colors red, green and blue.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
f0e067073469d1e5d629a8ece64d7d8695a20701
File:Level icon 05.png
6
954
1666
2023-05-10T01:21:03Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Level icon 06.png
6
955
1667
2023-05-10T01:21:05Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Level icon 07.png
6
956
1668
2023-05-10T01:21:05Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Level icon 08.png
6
957
1669
2023-05-10T01:21:07Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Level icon 04.png
6
958
1670
2023-05-10T01:21:07Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu. The feathers on its head, wing and tail are a lighter yellow than the rest of its body. It's wearing a maroon(?) mask that covers its eyes and a red cape. There is a yellow power effect around it.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
a85449951752bcb7115326bc07b942b7964e9b07
File:Level icon 09.png
6
959
1671
2023-05-10T01:21:08Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Pupu aurora2.png
6
960
1672
2023-05-10T01:21:10Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Level icon 10.png
6
961
1673
2023-05-10T01:21:10Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Normal pupu.png
6
962
1674
2023-05-10T01:21:10Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Rainbow pupu.png
6
963
1675
2023-05-10T01:21:12Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Pupu normal2.png
6
964
1676
2023-05-10T01:21:13Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Season2 pupu.png
6
965
1677
2023-05-10T01:21:14Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Season5 pupu.png
6
966
1678
2023-05-10T01:21:14Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Pupu rainbow2.png
6
967
1679
2023-05-10T01:21:16Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Season8 pupu.png
6
968
1680
2023-05-10T01:21:17Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
File:Season6 pupu.png
6
969
1681
2023-05-10T01:21:17Z
Hyobros
9
Uploaded a work by Cheritz from The Ssum with UploadWizard
wikitext
text/x-wiki
=={{int:filedesc}}==
{{Information
|description={{lua|1=A pixelated profile sprite of Piu-Piu.}}
|date=2022-08-17
|source=The Ssum
|author=Cheritz
|permission=
|other versions=
}}
=={{int:license-header}}==
{{cc-by-sa-4.0}}
[[Category:Piu-Piu]]
d86f8aa838b3ce64d6899d8f6897cea978eae369
PIU-PIU
0
5
1682
1166
2023-05-19T14:53:38Z
Hyobros
9
/* General */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[PIU-PIU|Profile]]</div>
|<div style="text-align:center">[[PIU-PIU/Gallery|Gallery]]</div>
|}
[[File:PIUPIU_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= PIU-PIU - [피유피유]
|occupation=Artificial Intelligence
|hobbies=Finding love matches
|likes=Emotions, Dr. C, Perfect Romance
|dislikes=Deleting the app
}}
== General ==
Piu-Piu is an artificial intelligence designed by Dr. Cus-Monsieur to aid in the project of true love. It lives within The Ssum app and can interact with the love interest and the player and moderate chats (by blocking users, certain words/language) as well as activates [I CAN SEE YOUR VOICE] which is a feature a love interest will use to verbally communicate with the player through the chat.
It is shown that there are actually multiple Piu-Pius within the app, such as PI-PI, evil Piu-Piu, and a giant white Piu-Piu. None of them have any contact with each other besides knowing their presence. Piu-Piu takes care of an egg it names PI-PI throughout the first 100 days of Harry's route, sending it off into the sea of data on day 99.
== Background ==
=== Route Differences ===
PIU-PIU is entirely absent from the initial days of Teo's route, only appearing on Day 100. However, PIU-PIU does appear from time to time after that day, mostly to tease the player and Teo. PIU-PIU is more distant in this route, focusing purely on critiquing the relationship between the player and Teo or to directly report on Teo's whereabouts.
== Trivia ==
TBA
e2278d5c62a191dfda65b72fa9e34358efa4c474
1683
1682
2023-05-19T14:56:46Z
Hyobros
9
/* General */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[PIU-PIU|Profile]]</div>
|<div style="text-align:center">[[PIU-PIU/Gallery|Gallery]]</div>
|}
[[File:PIUPIU_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= PIU-PIU - [피유피유]
|occupation=Artificial Intelligence
|hobbies=Finding love matches
|likes=Emotions, Dr. C, Perfect Romance
|dislikes=Deleting the app
}}
== General ==
Piu-Piu is an artificial intelligence designed by Dr. Cus-Monsieur to aid in the project of true love. It lives within The Ssum app and can interact with the love interest and the player and moderate chats (by blocking users, certain words/language) as well as activates [I CAN SEE YOUR VOICE] which is a feature a love interest will use to verbally communicate with the player through the chat.
It is shown that there are actually multiple Piu-Pius within the app, such as PI-PI, evil Piu-Piu, and a giant white Piu-Piu. None of them have any contact with each other besides knowing their presence. Piu-Piu takes care of an egg it names PI-PI throughout the first 100 days of Harry's route, finding it on day 38 and sending it off into the sea of data on day 99.
== Background ==
=== Route Differences ===
PIU-PIU is entirely absent from the initial days of Teo's route, only appearing on Day 100. However, PIU-PIU does appear from time to time after that day, mostly to tease the player and Teo. PIU-PIU is more distant in this route, focusing purely on critiquing the relationship between the player and Teo or to directly report on Teo's whereabouts.
== Trivia ==
TBA
800fcc9d658f7ce5821b034691a7a93e6c55800b
1684
1683
2023-05-19T15:24:43Z
Hyobros
9
/* Background */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[PIU-PIU|Profile]]</div>
|<div style="text-align:center">[[PIU-PIU/Gallery|Gallery]]</div>
|}
[[File:PIUPIU_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= PIU-PIU - [피유피유]
|occupation=Artificial Intelligence
|hobbies=Finding love matches
|likes=Emotions, Dr. C, Perfect Romance
|dislikes=Deleting the app
}}
== General ==
Piu-Piu is an artificial intelligence designed by Dr. Cus-Monsieur to aid in the project of true love. It lives within The Ssum app and can interact with the love interest and the player and moderate chats (by blocking users, certain words/language) as well as activates [I CAN SEE YOUR VOICE] which is a feature a love interest will use to verbally communicate with the player through the chat.
It is shown that there are actually multiple Piu-Pius within the app, such as PI-PI, evil Piu-Piu, and a giant white Piu-Piu. None of them have any contact with each other besides knowing their presence. Piu-Piu takes care of an egg it names PI-PI throughout the first 100 days of Harry's route, finding it on day 38 and sending it off into the sea of data on day 99.
== Background ==
According to bluebird notes, PIU-PIU was created to collect and analyze data on love. It contains a secret mechanism to transcend time and space. Using the data it collected as well as the secret mechanism, it built planets in the 4th dimension for lab participants to discover and reveal their true selves.
===Teo's Route===
PIU-PIU is entirely absent until it appears on Day 100. PIU-PIU appears from time to time, mostly to criticize Teo at first. Over time, it warms up to him and spends time teasing him but also helping him.
===Harry's Route===
PIU-PIU is present from the moment Harry first gets the app. It spends 15 days, 10 hours, and 27 minutes struggling to get him to speak in the chatroom. When the player joins the chat around 2 weeks later, it gives a rundown of its experience with Harry.
Throughout the entire route, PIU-PIU participates in almost every chat. For the first two weeks, it essentially guides the conversations and urges Harry to talk. It also sends pictures without his permission and uses [I CAN SEE YOUR VOICE] to let the player listen in on his conversations.
On day 38, it finds an egg that it names PI-PI, believing the doctor left it for it. PIU-PIU spends time caring for the egg until it has to let it go on day 99, making sure to pack "cookies" for it using Harry's internet history and his conversation with the player.
== Trivia ==
TBA
48211905bfc3b464f1d455e500b941925ef20eca
Harry Choi
0
4
1685
1353
2023-05-19T21:08:09Z
MintTree
17
/* Route */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
ce01f7264107b7494748c1cc17b5e7c19c8aa25e
1686
1685
2023-05-19T21:30:44Z
MintTree
17
/* Route */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Confession ===
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
0b553f2d912e66cbbf90bbead6e9a7c49e91590f
1687
1686
2023-05-19T21:34:58Z
MintTree
17
/* Confession */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
ce01f7264107b7494748c1cc17b5e7c19c8aa25e
1688
1687
2023-05-19T21:35:45Z
MintTree
17
/* Momint */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==== Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled, “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
50027c0713125a2d5effb5033be40592430406b7
1689
1688
2023-05-19T21:37:35Z
MintTree
17
/* Confession */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
737899a7fdc97afcbbb418a9dfe53a23bea727b0
1690
1689
2023-05-19T21:39:04Z
MintTree
17
/* Burny */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
==== Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
75f8ddd21a244448985c3f8cbb51f771f21cd721
1691
1690
2023-05-19T21:39:29Z
MintTree
17
/* Confession */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi ===
=== Momint ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
09d26e36b9539f0f2df9533384dff9ec5ceef9a7
1692
1691
2023-05-19T21:45:42Z
MintTree
17
/* Momint */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi ===
=== Momint ===
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he states that it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
c5869512449e8c32f14d63b483644e0fc35dbde5
1693
1692
2023-05-19T21:46:32Z
MintTree
17
/* Day 100 Confession */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi ===
=== Momint ===
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he says it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
52a8ffef3a579c153c0c1f49deceb75da403ecba
1694
1693
2023-05-19T21:48:08Z
MintTree
17
/* Route */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi ===
=== Momint ===
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he says it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
=== Mewry ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
8f3cd7f9a1bb6273f19e2d7be617af317100ffc9
Harry Choi/Gallery
0
744
1695
1525
2023-05-19T21:51:09Z
MintTree
17
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
70505ca571fcaf038361c4ced02cf25dca02de55
1696
1695
2023-05-19T22:04:28Z
MintTree
17
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.PNG|2022 Harry’s Birthday
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
f33ad909477aff8ab9ba2b3d0d874df108c0b517
1697
1696
2023-05-19T22:06:07Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
[[File:2022 Harry’s Birthday.PNG|thumb|2022 Harry’s Birthday]]
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
9a3d14e03cc4a4dbfcd98ffa0264b5b583c067df
1698
1697
2023-05-19T22:06:57Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
<ref>== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
b32da84af45a6db3ebb5fd97dcbf8c71cce8ae47
1699
1698
2023-05-19T22:09:38Z
MintTree
17
/* Momint */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
70505ca571fcaf038361c4ced02cf25dca02de55
1700
1699
2023-05-19T22:12:22Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
c1739e2a9f3e41f42097df0780d3237e9bfccbd9
1701
1700
2023-05-19T22:15:10Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas.png|2022 Christmas
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
138efa2859cfeea0e108daa524abef846d8facbb
1702
1701
2023-05-19T22:18:45Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
3a4378f4619b660ecd96322069aa6db98ca6b597
1704
1702
2023-05-19T23:56:01Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
7f57e86e09d51ce58ba497be33619b2b652f6efe
1706
1704
2023-05-20T00:06:20Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentines Day.png|2023 Valentines Day
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
f405f856f01fb78c3ce0b73d6418b0f317e64f1c
1707
1706
2023-05-20T00:07:18Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
f381e5b87cc3d8506a341ffe5d05c566e3ce03c4
1709
1707
2023-05-20T00:10:25Z
MintTree
17
/* Seasonal */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
301b78e2eab1213bafc4bcf6152e1f78da0c0719
File:2023 New Year.png
6
970
1703
2023-05-19T23:55:05Z
MintTree
17
wikitext
text/x-wiki
2023 New Year
3c26c31c80b73a6522b32501e231d15d89d5c8e9
File:2023 Valentine’s Day.png
6
971
1705
2023-05-20T00:06:02Z
MintTree
17
wikitext
text/x-wiki
2023 Valentine’s Day
7d8dd293c1e798e7ad5a27210c0d95dac64dcf07
File:2023 April Fool’s Day.png
6
972
1708
2023-05-20T00:10:02Z
MintTree
17
wikitext
text/x-wiki
2023 April Fool’s Day
514b3ac74203a7be3f21bfbe21685814b7a066d3
File:Harry in front of a Camera.png
6
973
1710
2023-05-20T00:47:56Z
MintTree
17
wikitext
text/x-wiki
Harry in front of a Camera
933a06227c70523e15fc4ba9b55779060897baeb
Harry Choi/Gallery
0
744
1711
1709
2023-05-20T00:48:03Z
MintTree
17
/* Bonus */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Waketime Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
fe0ffdc92ddd7e0bc4bebde1067893e2f2178e99
1712
1711
2023-05-20T00:49:30Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
e912435ab80179c9bfd6f9f548ce28e02b57a815
1713
1712
2023-05-20T00:58:12Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures|Day 8
7 Days Since First Meeting Dinner Pictures|Day 8
7 Days Since First Meeting Bedtime Pictures|Day 9
9 Days Since Frist Meeting Lunch
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
e63480184b9c1d33d120256e657e08d98676d9d2
1714
1713
2023-05-20T01:03:50Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
7 Days Since First Meeting Dinner Pictures.png|Day 8
7 Days Since First Meeting Bedtime Pictures.png|Day 9
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
e156292f303383c7cc2b9bae12746a10024527ec
1715
1714
2023-05-20T01:04:50Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
8 Days Since First Meeting Bedtime Pictures.png|Day 9
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
f396c2fddf3e274040cc1f77d6910dbf0cccd328
1716
1715
2023-05-20T01:07:55Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
8 Days Since First Meeting Bedtime Pictures(1).png|Day 8
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
4510b1fd9b037a9a0ec14a449c9fefd43f5f5ed8
1717
1716
2023-05-20T01:10:26Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
1464e6be0abf045585766038d9f0a9b8a9fa60c6
1718
1717
2023-05-20T01:12:20Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
58392affad15b1790457dd2dc8d98cb7a36cee23
1719
1718
2023-05-20T01:17:52Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
aa2ddaedc995212e661b174919c7e107221851da
1720
1719
2023-05-20T01:22:02Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
a701be6adc7adeea7285d60b924bf00311f76e64
1721
1720
2023-05-20T01:24:13Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures(1).png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
dd3e6fbed46714a8586ce4a88cf062dd82c9fc0a
1722
1721
2023-05-20T01:30:04Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures(Harry).png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Dinner Pictures(Harry).png|Day 12
12 Days Since First Meeting Dinner Pictures(Harry2).png|Day 12
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
0b1f5923d690718b64bd0d93b31418b83cc99caf
1723
1722
2023-05-20T01:31:25Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Bedtime Pictures(Harry).png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Dinner Pictures(Harry).png|Day 12
12 Days Since First Meeting Dinner Pictures(Harry2).png|Day 12
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
0b3f554c6dd8ec40311f24879dd3519377d6bc8b
1724
1723
2023-05-20T01:36:40Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures.png|Day 12
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures.png|Day 13
13 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
0ad4ad83c4fe4b299c7988766957e6e2a27cca58
1726
1724
2023-05-20T01:42:34Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures(Harry).png|Day 12
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures.png|Day 13
13 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
aa9cee663b67e6cad63da892a5477d6a48632641
1727
1726
2023-05-20T01:44:03Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
12 Days Since First Meeting Wake Time Pictures(Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures.png|Day 13
13 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
f88150dc6b15df0c45cacc9cb657e2fe4ca9c723
1728
1727
2023-05-20T01:45:18Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures.png|Day 13
13 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
627f89a27004a27cda1df89415ee95a0370e4084
1729
1728
2023-05-20T01:49:27Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
13 Days Since First Meeting Bedtime Pictures(1).png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
0cc5f3cdb4c7cc61bd4873cbafb65f19048f8360
1730
1729
2023-05-20T01:55:11Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13 777
14 Days Since First Meeting Breakfast Pictures.png|Day 14
14 Days Since First Meeting Bedtime Pictures.png|Day 14 777
15 Days Since First Meeting Bedtime Pictures.png|Day 15
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
f84071d4ed9d5381153f810e2edb1230bf3c33c5
1731
1730
2023-05-20T01:56:30Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13 777
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
8bd97a745c013517cc9bacdc479daf608b3208bb
1734
1731
2023-05-21T01:49:57Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13
14 Days Since First Meeting Breakfast Pictures.png|Day 14
14 Days Since First Meeting Bedtime Pictures.png|Day 14
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
b0c157af761b9662b30a805b8a099b99295ade13
1735
1734
2023-05-21T01:51:49Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
11 Days Since First Meeting Bedtime Pictures.png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
10e8cb36a7f9f7cc6e3972c015f49ba3af3a148c
1736
1735
2023-05-21T02:05:51Z
MintTree
17
/* Cloudi */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Bedtime Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
12 Days Since First Meeting Bedtime Pictures (Harry).png|Day 11
12 Days Since First Meeting Bedtime Pictures(1).png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Dinner Pictures(1) (Harry).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
</gallery>
</div>
57d1e8abf53819bac4d1721516826e7002648b7a
1744
1736
2023-05-22T01:42:31Z
MintTree
17
/* Bonus (Images Collected From Planet Pi) */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Bedtime Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
12 Days Since First Meeting Bedtime Pictures (Harry).png|Day 11
12 Days Since First Meeting Bedtime Pictures(1).png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Dinner Pictures(1) (Harry).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
Harry the Pianist.jpg|Harry the Pianist
Harry on a Horse.jpg|Harry on a Horse
Bartender Harry.jpg|Bartender Harry
Harryonbed.jpg
Harrylisteningtomusic.jpg
Young Harry Halloween.jpg|Young Harry Halloween
FancyHarry.jpg
</gallery>
</div>
1e6f69fbfeaf3c5d240cfed2d32297b2eae15c0d
1746
1744
2023-05-22T01:44:46Z
MintTree
17
/* Promotional */
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
Harry Chat Update.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Bedtime Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
12 Days Since First Meeting Bedtime Pictures (Harry).png|Day 11
12 Days Since First Meeting Bedtime Pictures(1).png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Dinner Pictures(1) (Harry).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
Harry the Pianist.jpg|Harry the Pianist
Harry on a Horse.jpg|Harry on a Horse
Bartender Harry.jpg|Bartender Harry
Harryonbed.jpg
Harrylisteningtomusic.jpg
Young Harry Halloween.jpg|Young Harry Halloween
FancyHarry.jpg
</gallery>
</div>
f70fb165a52fe722f9bd125598f9e2d273c9bd69
File:12 Days Since First Meeting Bedtime Pictures.png
6
974
1725
2023-05-20T01:39:28Z
MintTree
17
wikitext
text/x-wiki
6
c1dfd96eea8cc2b62785275bca38ac261256e278
Teo/Gallery
0
245
1732
1609
2023-05-20T02:04:40Z
MintTree
17
wikitext
text/x-wiki
Note: Due to the stylistic difference between Teo's Vanas pictures and the rest of his pictures, Cheritz has begun updating his pictures from Mewry bit by bit. When the updated versions are uploaded here, they will replace the original images. The originals will still be able to be viewed in their respective File History.
Certain Vanas pictures have also been updated for various reasons (such as more detailed backgrounds).
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12 7
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
a549629995dd2204ba8fd63579e65ff98b481d6a
1733
1732
2023-05-20T02:05:14Z
MintTree
17
wikitext
text/x-wiki
Note: Due to the stylistic difference between Teo's Vanas pictures and the rest of his pictures, Cheritz has begun updating his pictures from Mewry bit by bit. When the updated versions are uploaded here, they will replace the original images. The originals will still be able to be viewed in their respective File History.
Certain Vanas pictures have also been updated for various reasons (such as more detailed backgrounds).
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
89cf5cc54a5926c05636df4db1dd8651e3b84470
1755
1733
2023-05-22T03:00:39Z
MintTree
17
wikitext
text/x-wiki
Note: Due to the stylistic difference between Teo's Vanas pictures and the rest of his pictures, Cheritz has begun updating his pictures from Mewry bit by bit. When the updated versions are uploaded here, they will replace the original images. The originals will still be able to be viewed in their respective File History.
Certain Vanas pictures have also been updated for various reasons (such as more detailed backgrounds).
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
TeoDay1PrologueSelfie.png|Prologue
TeoDay1LunchSelfie.png|Day 1
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
TeoDay2DinnerSelfie.png|Day 2
TeoDay2DinnerPic2.png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
TeoDay2BedtimeSelfie.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
TeoDay5DinnerSelfie.png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
TeoDay9BedtimeSelfie.png|Day 9
10 Days Since First Meeting Bedtime Pictures.png|Day 10
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
TeoDay13WaketimeSelfie.png|Day 13
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
TeoDay19BedtimeSelfie.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
TeoDay21BedtimeSelfie.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
TeoDay23BreakfastSelfie1.png|Day 23
TeoDay23BreakfastSelfie2.png|Day 23
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
TeoDay25BreakfastSelfie.png|Day 25
TeoDay26WaketimeSelfie.png|Day 26
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
TeoDay27WaketimeSelfie.png|Day 27
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Bonus (Collected from Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
PiCgTeo(1).jpg
PiCgTeo(2).jpg
PiCgTeo(3).jpg
PiCgTeo(4).jpg
PiCgTeo(5).jpg
PiCgTeo(6).jpg
PiCgTeo(7).jpg
PiCgTeo(8).jpg
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
efac919a150c3c302ffd625bdee94ca49f94900f
File:Harry the Pianist.jpg
6
975
1737
2023-05-22T01:26:46Z
MintTree
17
wikitext
text/x-wiki
Harry the Pianist
feafd1b88de5a03211a43f84b519b5953f3a19f4
File:Harry on a Horse.jpg
6
976
1738
2023-05-22T01:28:14Z
MintTree
17
wikitext
text/x-wiki
Harry on a Horse
e6997522ce9e7f29b76120a8d3d6448510e0b49e
File:Bartender Harry.jpg
6
977
1739
2023-05-22T01:31:19Z
MintTree
17
wikitext
text/x-wiki
Bartender Harry
b808e581dfdd627b1fd7e8b130a4063102341155
File:Harryonbed.jpg
6
978
1740
2023-05-22T01:33:06Z
MintTree
17
wikitext
text/x-wiki
Harryonbed
b8001d2a9f6edcf4d84b67899c4941e1fa06eb91
File:Harrylisteningtomusic.jpg
6
979
1741
2023-05-22T01:35:04Z
MintTree
17
wikitext
text/x-wiki
Harrylisteningtomusic
ba0b7cade11031c780073394cdfeb4e357ca0839
File:Young Harry Halloween.jpg
6
980
1742
2023-05-22T01:36:43Z
MintTree
17
wikitext
text/x-wiki
Young Harry Halloween
aaa0c09cd4775d308314291f6deb16944309746e
File:FancyHarry.jpg
6
981
1743
2023-05-22T01:42:00Z
MintTree
17
wikitext
text/x-wiki
Fancy Harry
a1063708c7167ef0ead85e2d2db6541e13f74a97
File:Harry Chat Update.jpg
6
982
1745
2023-05-22T01:44:32Z
MintTree
17
wikitext
text/x-wiki
Chat Update Cg
7611a68d5913a378ba3d78fd6b717002f458507d
File:PiCgTeo(1).jpg
6
983
1747
2023-05-22T02:54:37Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo(1)
f672f14342d2465ed9105c979c7d859cbb56e5ec
File:PiCgTeo(2).jpg
6
984
1748
2023-05-22T02:55:26Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo2
be401bdd0920b74ee87804cf997fa8c8bc8a6f9a
File:PiCgTeo(3).jpg
6
985
1749
2023-05-22T02:57:46Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo3
10bcaac1911a2a0cec6559486f79f071f062f4c1
File:PiCgTeo(4).jpg
6
986
1750
2023-05-22T02:58:37Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo4
91f1850f3e2314676302f7fb75af68ed8c2d69c8
File:PiCgTeo(5).jpg
6
987
1751
2023-05-22T02:59:03Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo5
ef3fa568e9532540e782fecdf6ec1c79732b5ef8
File:PiCgTeo(6).jpg
6
988
1752
2023-05-22T02:59:28Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo
ff4aaaf3b2876326b83b0187bfb179eeefa8417a
File:PiCgTeo(7).jpg
6
989
1753
2023-05-22T02:59:53Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo7
6f4c15ade008482d9b719cc10e3863303aee0a2e
File:PiCgTeo(8).jpg
6
990
1754
2023-05-22T03:00:16Z
MintTree
17
wikitext
text/x-wiki
PiCgTeo8
32b23bd56aaade737e91bbe4aad822ae82797db1
Angel
0
414
1756
1496
2023-05-22T03:13:08Z
MintTree
17
/* General */
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
Angel is an entity that is involved in Harry's route. It seems to only appear when there’s a full moon. Its initial appearance is usually on day 74 titled, “Blue Moon” but it can appear sooner if the player has time traveled multiple times.
Angel's screen name throughout the route is 1004, which is a Korean homonym for the word "Angel" (천사).
It boasts time traveling abilities, and uses them on day 87 titled, “A Future With the Angel" when it takes over the messenger and isolates the player from Harry and Piu-Piu. During the waketime chat, it gives the player the option to view either a good future or a bad future with Harry. If the player hasn't answered, Angel will opt for showing the bad future. During the breakfast chat, the player will be connected to the respective future Harry that Angel set them with, and even connect them in a call after the chat.
== Background ==
It's unclear whether or not Angel is an A.I. similar to Piu-Piu. The entity is very mysterious, partly because it refuses to answer any questions about itself.
== Trivia ==
TBA
5c9a75904ad7b87f7bae3daf990b7d4fa23db817
1757
1756
2023-05-22T04:29:01Z
MintTree
17
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
Angel is an entity that is involved in Harry's route. It seems to only appear when there’s a full moon. Its initial appearance is usually on day 74 titled, “Blue Moon” but it can appear sooner if the player has time traveled multiple times.
Angel's screen name throughout the route is 1004, which is a Korean homonym for the word "Angel" (천사).
It boasts time traveling abilities, and uses them on day 87 titled, “A Future With the Angel" when it takes over the messenger and isolates the player from Harry and Piu-Piu. During the waketime chat, it gives the player the option to view either a good future or a bad future with Harry. If the player hasn't answered, Angel will opt for showing the bad future. During the breakfast chat, the player will be connected to the respective future Harry that Angel set them with, and even connect them in a call after the chat.
== Background ==
It's unclear whether or not Angel is an A.I. similar to Piu-Piu. The entity is very mysterious, partly because it refuses to answer any questions about itself.
== Appearances ==
=== Day 74 “Blue Moon” ===
On this day, Angel appears during the bedtime chat. It speaks to both the player and Harry as if it had already met them before. It apologizes for making its appearance too early, and states that this is the time you made the decision to accept its “secretive suggestion.” It leaves saying they will meet again soon.
=== Day 80 “I Wanna Be Alone” ===
Angel appears during the Dinner chat of this day. It seems to know what day it is, stating that Harry will be on his own starting from that day. It also knows that Harry was trying to clean his place and cook for himself. It leaves, saying it doesn’t think it can stay for much longer.
=== Day 87 “A Future With the Angel” ===
On this day, Angel stays with the player until the very end of the dinner chat. In the wake time chat, it allows the player to choose between seeing a bad or good future.
If the good future is chosen, a sweet version of Harry will be shown during the breakfast chat. It is implied that Harry and the player have been in a relationship. Harry will be shown waiting for the player at the airport. Angel will later jump into the conversation, and will be met with hostility from Harry. Angel will then connect the player and the good future version of Harry in a call. There are three CG’s available in the good future.
If the bad future is chosen, or if the player did not answer Angel during the waketime chat, the player will be met with a somber version of Harry in the breakfast chat. It’s implied that Harry and the player have broken up due to a toxic on-and-off relationship. Angel will eventually interrupt their conversation and Harry will tell both Angel and the player to get lost. Angel will connect the player and Harry in a call after this chat. There are three CG’s and one outgoing call available in the bad future.
During the lunch chat, Angel allows the player to ask two questions. During the dinner chat, Angel asks the player how they felt about the future they chose. At the end of the dinner chat, Angel deletes all the conversations they had together and finally allows Harry to enter the chatroom.
=== Day 117 “The Whereabouts of (player name)’s Heart ===
On this day, Angel appears during the dinner and bedtime chats. In the dinner chat, it exclaims that it’s finally free. It seems surprised seeing Harry’s softer attitude and points out how much closer Harry and the player have gotten. During the bedtime chat, Angel talks to the player as Harry takes a shower. It ask the player if they are happy. Harry calls the player after the chat, asking the player the same question.
== Trivia ==
TBA
3d266d26c517f2ddaed9a72881dcac5c147ddbb7
1758
1757
2023-05-22T04:31:58Z
MintTree
17
/* Day 87 “A Future With the Angel” */
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
Angel is an entity that is involved in Harry's route. It seems to only appear when there’s a full moon. Its initial appearance is usually on day 74 titled, “Blue Moon” but it can appear sooner if the player has time traveled multiple times.
Angel's screen name throughout the route is 1004, which is a Korean homonym for the word "Angel" (천사).
It boasts time traveling abilities, and uses them on day 87 titled, “A Future With the Angel" when it takes over the messenger and isolates the player from Harry and Piu-Piu. During the waketime chat, it gives the player the option to view either a good future or a bad future with Harry. If the player hasn't answered, Angel will opt for showing the bad future. During the breakfast chat, the player will be connected to the respective future Harry that Angel set them with, and even connect them in a call after the chat.
== Background ==
It's unclear whether or not Angel is an A.I. similar to Piu-Piu. The entity is very mysterious, partly because it refuses to answer any questions about itself.
== Appearances ==
=== Day 74 “Blue Moon” ===
On this day, Angel appears during the bedtime chat. It speaks to both the player and Harry as if it had already met them before. It apologizes for making its appearance too early, and states that this is the time you made the decision to accept its “secretive suggestion.” It leaves saying they will meet again soon.
=== Day 80 “I Wanna Be Alone” ===
Angel appears during the Dinner chat of this day. It seems to know what day it is, stating that Harry will be on his own starting from that day. It also knows that Harry was trying to clean his place and cook for himself. It leaves, saying it doesn’t think it can stay for much longer.
=== Day 87 “A Future With the Angel” ===
On this day, Angel stays with the player until the very end of the dinner chat. In the wake time chat, it allows the player to choose between seeing a bad or good future.
If the good future is chosen, a sweet version of Harry will be shown during the breakfast chat. It is implied that Harry and the player have been in a relationship. Harry will be shown waiting for the player at the airport. Angel will later jump into the conversation, and will be met with hostility from Harry. Angel will then connect the player and the good future version of Harry in a call. There are three CG’s available in the good future.
If the bad future is chosen, or if the player did not answer Angel during the waketime chat, the player will be met with a somber version of Harry in the breakfast chat. It’s implied that Harry and the player have broken up due to a toxic on-and-off relationship. Angel will eventually interrupt their conversation and Harry will tell both Angel and the player to get lost. Angel will connect the player and Harry in a call after this chat. There are three CG’s and one outgoing call available in the bad future.
During the lunch chat, Angel allows the player to ask two questions. During the dinner chat, Angel asks the player how they felt about the future they chose. At the end of the dinner chat, Angel deletes all the conversations they had together and finally allows Harry to enter the chatroom.
=== Day 117 “The Whereabouts of (player name)’s Heart ===
On this day, Angel appears during the dinner and bedtime chats. In the dinner chat, it exclaims that it’s finally free. It seems surprised seeing Harry’s softer attitude and points out how much closer Harry and the player have gotten. During the bedtime chat, Angel talks to the player as Harry takes a shower. It ask the player if they are happy. Harry calls the player after the chat, asking the player the same question.
== Trivia ==
TBA
98ab20429bfa8f4e8aed8fea352c985cfcea7fec
File:18 Days Since First Meeting Dinner Pictures.png
6
991
1759
2023-05-22T05:39:24Z
MintTree
17
18 Days Since First Meeting Dinner Pictures
wikitext
text/x-wiki
== Summary ==
18 Days Since First Meeting Dinner Pictures
9c141d5c821b75fe109ecdee9c33112d2b19a875
Harry Choi/Gallery
0
744
1760
1746
2023-05-22T05:42:30Z
MintTree
17
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry Choi Teaser.jpg
Harry Chat Update.jpg
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures.png|Prologue
1 Days Since First Meeting Bedtime Pictures(1).png|Day 1
2 Days Since First Meeting Wake Time Pictures.png|Day 2
2 Days Since First Meeting Bedtime Pictures(1).png|Day 2
3 Days Since First Meeting Breakfast Pictures(1).png|Day 3
3 Days Since First Meeting Dinner Pictures.png|Day 3
4 Days Since First Meeting Lunch Pictures.png|Day 4
4 Days Since First Meeting Dinner Pictures (Harry).png|Day 4
5 Days Since First Meeting Wake Time Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(2).png|Day 5
6 Days Since First Meeting Lunch Pictures.png|Day 6
6 Days Since First Meeting Lunch Pictures(1).png|Day 6
6 Days Since First Meeting Dinner Pictures.png|Day 6
6 Days Since First Meeting Dinner Pictures(1).png|Day 6
7 Days Since First Meeting Wake Time Pictures(1).png|Day 7
7 Days Since First Meeting Breakfast Pictures (Harry).png|Day 7
7 Days Since First Meeting Lunch Pictures.png|Day 7
7 Days Since First Meeting Dinner Pictures.png|Day 7
8 Days Since First Meeting Breakfast Pictures.png|Day 8
8 Days Since First Meeting Dinner Pictures.png|Day 8
9 Days Since First Meeting Bedtime Pictures(1).png|Day 8
9 Days Since First Meeting Lunch Pictures.png|Day 9
10 Days Since First Meeting Lunch Pictures.png|Day 10
11 Days Since First Meeting Bedtime Pictures.png|Day 10
11 Days Since First Meeting Lunch Pictures.png|Day 11
11 Days Since First Meeting Lunch Pictures(1).png|Day 11
11 Days Since First Meeting Dinner Pictures.png|Day 11
12 Days Since First Meeting Bedtime Pictures (Harry).png|Day 11
12 Days Since First Meeting Bedtime Pictures(1).png|Day 11
12 Days Since First Meeting Dinner Pictures.png|Day 12
12 Days Since First Meeting Dinner Pictures(1) (Harry).png|Day 12
12 Days Since First Meeting Bedtime Pictures.png|Day 12
13 Days Since First Meeting Wake Time Pictures (Harry).png|Day 13
13 Days Since First Meeting Breakfast Pictures(2).png|Day 13
13 Days Since First Meeting Lunch Pictures.png|Day 13
13 Days Since First Meeting Dinner Pictures(1).png|Day 13
14 Days Since First Meeting Bedtime Pictures.png|Day 13
14 Days Since First Meeting Breakfast Pictures (Harry).png|Day 14
14 Days Since First Meeting Lunch Pictures.png|Day 14
14 Days Since First Meeting Bedtime Pictures(2).png|Day 14
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Wake Time Pictures.png|Day 16
16 Days Since First Meeting Breakfast Pictures (Harry).png|Day 16
17 Days Since First Meeting Wake Time Pictures.png|Day 17
17 Days Since First Meeting Breakfast Pictures.png|Day 17
17 Days Since First Meeting Lunch Pictures.png|Day 17
18 Days Since First Meeting Breakfast Pictures.png|Day 18
18 Days Since First Meeting Dinner Pictures.png|Day 18
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2022 Harry’s Birthday.png|2022 Harry’s Birthday
2022 Christmas Harry.png|2022 Christmas
2023 New Year.png|2023 New Year
2023 Valentine’s Day.png|2023 Valentine’s Day
2023 April Fool’s Day.png|2023 April Fool’s Day
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Harry in front of a Camera.png|Harry in front of a Camera
Harry the Pianist.jpg|Harry the Pianist
Harry on a Horse.jpg|Harry on a Horse
Bartender Harry.jpg|Bartender Harry
Harryonbed.jpg
Harrylisteningtomusic.jpg
Young Harry Halloween.jpg|Young Harry Halloween
FancyHarry.jpg
</gallery>
</div>
94e2781b79822f086cfb92359ce9daae9fa098f2
PIU-PIU/Gallery
0
782
1761
1412
2023-05-22T15:51:17Z
Hyobros
9
/* Sprites */
wikitext
text/x-wiki
==Promotional==
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
==Harry's Route==
Piu-Piu often creates images of itself and Harry throughout this route. It doesn't do this in Teo's route.
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
==Sprites==
<gallery>
Pupu normal2.png|Default
Pupu rainbow2.png|Rainbow
Pupu Aurora2.png|Aurora
<br>
Normal pupu.png|Default
Rainbow pupu.png|Rainbow
Aurora Piu-Piu.png|Aurora
<br>
Level icon 01.png
Level icon 02.png
Level icon 03.png
Level icon 04.png
Level icon 05.png
Level icon 06.png
Level icon 07.png
Level icon 08.png
Level icon 09.png
Level icon 10.png
</gallery>
be8137e58d056593444d00c9c0d96a9c8c97619f
Space Creatures
0
29
1762
1169
2023-06-21T16:18:33Z
Tigergurke
14
wikitext
text/x-wiki
{{WorkInProgress}}
==<div style="text-align:center">''Beginner's Guide''<div>==
{|class="wikitable mw-collapsible mw-collapsed" style="margin-left:auto; margin-right:auto; width:500px;"
|+style="color:#b8255f; white-space:nowrap;" | ***Read Me***
|-
!'''Sun Shelter'''
|-
|Sunshine Shelter is a shelter with the latest technology and facilities, including gigantic windows that allow <span style="color:#FFC624">vast amount of sunlight</span>. </br>All Creatures that seek Earth wish to bask in the <span style="color:#FFC624">glowing sun</span>. How about a bath in the sun with a variety of Creatures at the Sunshine Shelter?
|-
!'''Creature'''
|-
|Tap the <span style="color:#F47070">Creature Box</span> - the square at the top of the screen - and you can move to the <span style="color:#36A79E">Anti-Gravity</span> Chamber that safekeeps the Creature Boxes. And you can meet a variety of Creatures by opening the <span style="color:#F47070">Creature Box</span>.
Find out what kind of Creatures you can <span style="color:#F47070">befriend!</span>
You may grow profound relations with Creatures once they find themselves at the Shelter.
Or you may let them look for other lab participants if you do not like them.
|-
!'''Locating Creatures'''
|-
|Please set the locations for the Creatures waiting inside the Refrigerator for their experiences <span style="color:#FFC624">under the sun</span>. <span style="color:#F47070">Drag</span> the Creatures to move them to the spots to your liking.
|-
!'''Fee'''
|-
|Creatures must pay the <span style="color:#36A79E">fee</span> in order to stay at the Shelter. <span style:"color=#999999">(There are a lot of stuff that comes for free in this universe, but Shelter is not one of them.)</span>
The Creatures will pay you with <span style="color:#36A79E>various energies or emotions</span> in their powers for manufacture.
|-
!'''Refrigerator'''
|-
|The Creatures standing by until they find themselves at the Sunshine Shelter are protected in the Refrigerator that comes with the latest freezing technology. If you find Creatures that have been depleted of stamina due to <span style="color:#F47070">exposure to the sun over the limit</span>, please let them rest in the Refrigerator!
You can also check the summary of all Creatures in the Refrigerator, which presents their species, stamina, and unique characteristics.
As for Creatures that do not intrigue you, you should <span style="color:#36A79E">return them to space</span> than to keep them frozen. That way other Creatures will be given chances to meet you!
And of course, do not stop <span style="color:#F47070">expressing interest</span> in the Creatures you are fond of!
|-
!style="color:#36A79E | '''[Tip 1]'''
|-
|<span style=color:#F47070>Non-Terran Creatures</span> will be exhausted if they stay under the <span style="color:#FFC624>sun</span> for too long.
Return them to the <span style="color=#36A79E">Refrigerator</span> that provides a rapid-freezing feature, and they will be better in no time. <span style="color:#999999">(Fufufu...)</span>
|-
!style="color:#36A79E"|'''[Tip 2]'''
|-
|Once the Creatures befriend you, they might give you <span style="color:#F47070">something special in return</span>. It is up to you to find out what they are!
|}
<div style="text-align:center; font-size:18;" >''Now, let your imaginations fly in running the Shelter!''</div>
==<div style="text-align:center">''Space Creatures and Where to Find Them''<div>==
===<div style="text-align:center">All Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b4e55c" |Space Herbivores
|-
| colspan="3" style="background:#3b947a" | <div style="color:#e0ecde; padding:10px;">Space Herbivores are lovely like dolls. They will return as much love as you give!</br></div>
|-
| <gallery mode="packed-hover">
Image:Moon_Bunny_Creature.gif|''[[Moon_Bunny|Moon Bunny]]'' </gallery> || <gallery mode="packed-hover"> Image:Space_Sheep_Creature.gif|''[[Space_Sheep|Space Sheep]]'' </gallery> || <gallery mode="packed-hover">Image:Fuzzy_Deer.gif|''[[Fuzzy_Deer|Fuzzy Deer]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto; "
|-
!colspan="3" style="background:#f3abb6" | Space Carnivores
|-
| colspan="3" style="background:#cd7672" | <div style="color:#e0ecde; padding:10px;">Space Carnivores are smarter than any other animals. They will not bite, but please do not leave them with weak Creatures that visit the Shelter!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Dog_Creature.gif|''[[Space_Dog|Space Dog]]'' </gallery> || <gallery mode="packed-hover">
Image:Bipedal_Lion_Creature.gif|''[[Bipedal_Lion|Bipedal Lion]]'' </gallery> || <gallery mode="packed-hover">
Image:Teddy_Nerd_Creature.gif|''[[Teddy_Nerd|Teddy Nerd]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#b491c8" |Space Travelers
|-
| colspan="3" style="background:#7c5295" | <div style="color:#e0ecde; padding:10px;">Space Travelers are mysterious to most inhabitants. Get to know these mysterious Creatures that journey across the Milky Way.</br></div>
|-
| <gallery mode="packed-hover">
Image:Immortal_Turtle_Creature.gif|''[[Immortal_Turtle|Immortal Turtle]]'' </gallery>|| <gallery mode="packed-hover"> Image:Aura_Mermaid_Creature.gif|''[[Aura_Mermaid|Aura Mermaid]]'' </gallery> || <gallery mode="packed-hover"> Image:Aerial_Whale_Creature.gif|''[[Aerial_Whale|Aerial Whale]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#a3dcbe" | Life Extender
|-
| colspan="3" style="background:#2c6975" | <div style="color:#e0ecde; padding:10px;">Life Extenders are as mysterious as they look. They have memories and knowledges absent in us.</br></div>
|-
| <gallery mode="packed-hover">
Image:Wingrobe_Owl_Creature.gif|''[[Wingrobe_Owl|Wingrobe Owl]]'' </gallery> || <gallery mode="packed-hover"> Image:Deathless_Bird_Creature.gif|''[[Deathless_Bird|Deathless Bird]]'' </gallery> || <gallery mode="packed-hover">Image:Dragon_of_Nature_Creature.gif|''[[Dragon_of_Nature|Dragon of Nature]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#6a95cc" | Space Magicians
|-
| colspan="3" style="background:#3a4d8f" | <div style="color:#e0ecde; padding:10px;">Space Magicians come with magical power. Those fond of magic will love them!</br></div>
|-
| <gallery mode="packed-hover">
Image:Space_Monk_Creature.gif|''[[Space_Monk|Space Monk]]'' </gallery> || <gallery mode="packed-hover"> Image:Guardian_of_Magic_Creature.gif|''[[Guardian_of_Magic|Guardian of Magic]]'' </gallery> || <gallery mode="packed-hover">Image:Unicorn_Creature.gif|''[[Unicorn|Unicorn]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#d6d6cd" | Hi-Tech Organism
|-
| colspan="3" style="background:#332b3a" | <div style="color:#e0ecde; padding:10px;">To Hi-Tech Organisms, the boundary between technology and life is rather faint. I wonder who ever created them.</br></div>
|-
| <gallery mode="packed-hover">
Image:A.I._Spaceship_Creature.gif|''[[A.I._Spaceship|A.I. Spaceship]]'' </gallery> || <gallery mode="packed-hover"> Image:Evolved_Penguin_Creature.gif|''[[Evolved_Penguin|Evolved Penguin]]'' </gallery> || <gallery mode="packed-hover">Image:Teletivies_Creature.gif|''[[Teletivies|Teletivies]]'' </gallery>
|}
===<div style="text-align:center">Legend</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#cde0c9" | Extraterrestrial
|-
|colspan="5" style="background:#68b2a0" | <div style="color:#fafafa; padding:10px;">Extraterrestrials possess technology and minds superior to those of humans. Perhaps, you have heard of them before - do you remember them?</br></div>
|-
|<gallery mode="packed-hover">
Image:Gray_Creature.gif|''[[Gray|Gray]]'' </gallery> || <gallery mode="packed-hover">
Image:Lyran_Creature.gif|''[[Lyran|Lyran]]'' </gallery> || <gallery mode="packed-hover">
Image:Alpha_Centaurist_Creature.gif|''[[Alpha_Centaurist|Alpha Centaurist]]'' </gallery> || <gallery mode="packed-hover">
Image:Andromedian_Creature.gif|''[[Andromedian|Andromedian]]'' </gallery> || <gallery mode="packed-hover">
Image:Orion_Creature.gif|''[[Orion|Orion]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="5" style="background:#2ecccf" | ???
|-
|colspan="5" style="background:#1eb3b5" | <div style="color:#fafafa; padding:10px;">TBA</br></div>
|-
|<gallery mode="packed-hover">
Image:Tree_of_Life_Creature.gif|''[[Tree_of_Life|Tree of Life]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="3" style="background:#23a7db" |[2023] Creatures on Summer Vacation
|-
| colspan="3" style="background:#f7f0c3;" | <div style="color:#242322; padding:10px;">Summer is here! Meet the creatures that have come to town for the season with new looks.</br></div>
|-
| <gallery mode="packed-hover">
Image:Summer_Space_Sheep_Creature.gif|''[[Summer_Space_Sheep|Summer Space Sheep]]'' </gallery> || <gallery mode="packed-hover"> Image:Summer_Fuzzy_Deer_Creature.gif|''[[Summer_Fuzzy_Deer|Summer Fuzzy Deer]]'' </gallery> || <gallery mode="packed-hover">Image:Summer_Aerial_Whale_Creature.gif|''[[Summer_Aerial_Whale|Summer Aerial Whale]]'' </gallery>
|}
===<div style="text-align:center">Area</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#feff9e"| Type Vanas
|-
|colspan="2" style="background:#eeb462;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Vanas.</br></div>
|-
|<gallery mode="packed-hover">
Image:Banana_Cart_Creature.gif|''[[Banana_Cart|Banana Cart]]'' </gallery> || <gallery mode="packed-hover">
Image:Vanatic_Grey_Hornet_Creature.gif|''[[Vanatic_Grey_Hornet|Vanatic Grey Hornet]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#cceeff"| Type Mewry
|-
|colspan="2" style="background:#99d6ff;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Mewry.</br></div>
|-
|<gallery mode="packed-hover">
Image:Yarn_Cat_Creature.gif|''[[Yarn_Cat|Yarn Cat]]'' </gallery> || <gallery mode="packed-hover">
Image:Emotions_Cleaner_Creature.gif|''[[Emotions_Cleaner|Emotions Cleaner]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#bb937b"| Type Crotune
|-
|colspan="2" style="background:#ae876e;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Crotune.</br></div>
|-
|<gallery mode="packed-hover">
Image:Berrero_Rocher_Creature.gif|''[[Berrero_Rocher|Berrero Rocher]]'' </gallery> || <gallery mode="packed-hover">
Image:Master_Muffin_Creature.gif|''[[Master_Muffin|Master Muffin]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#faafa9"| Type Tolup
|-
|colspan="2" style="background:#f9a2a6;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Tolup.</br></div>
|-
|<gallery mode="packed-hover">
Image:Nurturing_Clock_Creature.gif|''[[Nurturing_Clock|Nurturing Clock]]'' </gallery> || <gallery mode="packed-hover">
Image:Space_Bee_Creature.gif|''[[Space_Bee|Space Bee]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#dbf4f0"| Type Cloudi
|-
|colspan="2" style="background:#9edfe7;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Cloudi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Matching_Snake_Creature.gif|''[[Matching_Snake|Matching Snake]]'' </gallery> || <gallery mode="packed-hover">
Image:A.I._Data_Cloud_Creature.gif|''[[A.I._Data_Cloud|A.I. Data Cloud]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#d9d9d9"| Type Burny
|-
|colspan="2" style="background:#9b9b9b;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Burny.</br></div>
|-
|<gallery mode="packed-hover">
Image:Ashbird_Creature.gif|''[[Ashbird|Ashbird]]'' </gallery> || <gallery mode="packed-hover">
Image:Burning_Jelly_Creature.gif|''[[Burning_Jelly|Burning Jelly]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#f8b59d"| Type Pi
|-
|colspan="2" style="background:#c09159;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Pi.</br></div>
|-
|<gallery mode="packed-hover">
Image:Terran_Turtle_Creature.gif|''[[Terran_Turtle|Terran Turtle]]'' </gallery> || <gallery mode="packed-hover">
Image:Boxy_Cat_Creature.gif|''[[Boxy_Cat|Boxy Cat]]'' </gallery>
|}
{| class="wikitable mw-collapsible mw-collapsed" style="height:40%; width: 600px; text-align:center; margin-left:auto; margin-right:auto;"
|-
!colspan="2" style="background:#9affea"| Type Momint
|-
|colspan="2" style="background:#2bbfa0;text-shadow:1px 1px 1px black" | <div style="color:#fafafa; padding:10px;">You can find most of these Creatures on Planet Momint.</br></div>
|-
|<gallery mode="packed-hover">
Image:Firefairy_Creature.gif|''[[Firefairy|Firefairy]]'' </gallery> || <gallery mode="packed-hover">
Image:Clapping_Dragon_Creature.gif|''[[Clapping_Dragon|Clapping Dragon]]'' </gallery>
|}
8d34bde7cf5163bd4cf73d1df647112537e2b3ab
Planets/Canals of Sensitivity
0
53
1763
206
2023-06-21T18:41:17Z
Hyobros
9
/* Description */
wikitext
text/x-wiki
== Description ==
"''Canals of Sensitivity are full of powerful energy that helps our writing participants to express their sensitivities with words.''"
This planet is unlocked by having 30 Wings of Sensitivity emotions, generated by innocent energy. The focus of Canals of Sensitivity is to post works the player has written, be it fan fiction or personal journals. Players can read and support posts, comment on posts, and follow other players.
There are four categories one can post in: ''''Canals of Free Sensitivity'''', ''''Writer's Canals'''', ''''Famous Writer's Canals'''' and ''''Reader's Canals''''.
In the Canals of Free Sensitivity, anything can be posted. In Writer's Canals, it's encouraged that players post creative work such as poems or stories. The Famous Writer's Canals are the same as the Writer's Canals, except no emotions are required to post and only players that have at least 100 followers are able to post there. In Reader's Canals, players are encouraged to post reviews, recommendations or discussions of works.
==Events==
===Ssummer of Sensitivity===
The first event to take place on Canals of Sensitivity. To participate, players post something about summer in the Writer's Canals with "[Summer Contest]" in the title.
==Level Rewards==
674339e5995e40fe2f39fa367cbced36018b131b
Rachel
0
389
1764
855
2023-06-21T19:45:57Z
Hyobros
9
/* General */
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Rachel
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
Rachel Choi is the younger sister of Harry Choi.<ref>Day 8 call [The One I'd Call My Sister]</ref> Although she is a social media influencer and generally has a sociable attitude around acquaintances and Tain Park, she acts very catty towards her family and people she doesn't like, such as Sarah Lee. Especially when she's with her parents, it's not unheard of for her to throw and break objects out of anger, and she generally treats Harry as a pushover before she marries Tain.
==Citations==
<references>
</references>
== Background ==
TBA
== Trivia ==
TBA
908d9566e07a9b92cf18523a6db76be99fc418b5
1765
1764
2023-06-21T19:46:22Z
Hyobros
9
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Rachel
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
Rachel Choi is the younger sister of Harry Choi.<ref>Day 8 call [The One I'd Call My Sister]</ref> Although she is a social media influencer and generally has a sociable attitude around acquaintances and Tain Park, she acts very catty towards her family and people she doesn't like, such as Sarah Lee. Especially when she's with her parents, it's not unheard of for her to throw and break objects out of anger, and she generally treats Harry as a pushover before she marries Tain.
== Background ==
TBA
== Trivia ==
TBA
==Citations==
<references>
</references>
15cdd069591173e5f2f541ba41364de5c323737f
Angel
0
414
1766
1758
2023-06-21T21:10:26Z
MintTree
17
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
Angel is an entity that is involved in Harry's route. It seems to only appear when there’s a full moon. Its initial appearance is usually on day 74 titled, “Blue Moon” but it can appear sooner if the player has time traveled multiple times.
Angel's screen name throughout the route is 1004, which is a Korean homonym for the word "Angel" (천사).
It boasts time traveling abilities, and uses them on day 87 titled, “A Future With the Angel" when it takes over the messenger and isolates the player from Harry and Piu-Piu. During the waketime chat, it gives the player the option to view either a good future or a bad future with Harry. If the player hasn't answered, Angel will opt for showing the bad future. During the breakfast chat, the player will be connected to the respective future Harry that Angel set them with, and even connect them in a call after the chat.
== Background ==
It's unclear whether or not Angel is an A.I. similar to Piu-Piu. The entity is very mysterious, partly because it refuses to answer any questions about itself.
== Appearances ==
=== Day 74 “Blue Moon” ===
On this day, Angel appears during the bedtime chat. It speaks to both the player and Harry as if it had already met them before. It apologizes for making its appearance too early, and states that this is the time you made the decision to accept its “secretive suggestion.” It leaves saying they will meet again soon.
=== Day 80 “I Wanna Be Alone” ===
Angel appears during the Dinner chat of this day. It seems to know what day it is, stating that Harry will be on his own starting from that day. It also knows that Harry was trying to clean his place and cook for himself. It leaves, saying it doesn’t think it can stay for much longer.
=== Day 87 “A Future With the Angel” ===
On this day, Angel stays with the player until the very end of the dinner chat. In the wake time chat, it allows the player to choose between seeing a bad or good future.
If the good future is chosen, a sweet version of Harry will be shown during the breakfast chat. It is implied that Harry and the player have been in a relationship. Harry will be shown waiting for the player at the airport. Angel will later jump into the conversation, and will be met with hostility from Harry. Angel will then connect the player and the good future version of Harry in a call. There are three CG’s available in the good future.
If the bad future is chosen, or if the player did not answer Angel during the waketime chat, the player will be met with a somber version of Harry in the breakfast chat. It’s implied that Harry and the player have broken up due to a toxic on-and-off relationship. Angel will eventually interrupt their conversation and Harry will tell both Angel and the player to get lost. Angel will connect the player and Harry in a call after this chat. There are three CG’s and one outgoing call available in the bad future.
During the lunch chat, Angel allows the player to ask two questions. During the dinner chat, Angel asks the player how they felt about the future they chose. At the end of the dinner chat, Angel deletes all the conversations they had together and finally allows Harry to enter the chatroom.
=== Day 117 “The Whereabouts of (player name)’s Heart ===
On this day, Angel appears during the dinner and bedtime chats. In the dinner chat, it exclaims that it’s finally free. It seems surprised seeing Harry’s softer attitude and points out how much closer Harry and the player have gotten. During the bedtime chat, Angel talks to the player as Harry takes a shower. It ask the player if they are happy. Harry calls the player after the chat, asking the player the same question.
=== Day 137 “Close Encounter With The Angel’s Truth” ===
On this day, Angel appears during the wake time, breakfast, and lunch chats. In the wake time chat, it talks with the player, leaving once Harry is about to awaken. In the breakfast chat, it talks with both Harry and the player. In the lunchtime chat, it tries to prove that it’s a real angel by sending an image of the shadow of a wing. It blocks the player out of the chat and asks Harry if he would like to see the future, like the player had done. Harry refuses the offer and Angel allows the player to join the chat again.
== Trivia ==
TBA
4054c20f0556e830d023eb34a137a89340c18868
1767
1766
2023-06-24T06:13:53Z
MintTree
17
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
Angel is an entity that is involved in Harry's route. It seems to only appear when there’s a full moon. Its initial appearance is usually on day 74 titled, “Blue Moon” but it can appear sooner if the player has time traveled multiple times.
Angel's screen name throughout the route is 1004, which is a Korean homonym for the word "Angel" (천사).
It boasts time traveling abilities, and uses them on day 87 titled, “A Future With the Angel" when it takes over the messenger and isolates the player from Harry and Piu-Piu. During the waketime chat, it gives the player the option to view either a good future or a bad future with Harry. If the player hasn't answered, Angel will opt for showing the bad future. During the breakfast chat, the player will be connected to the respective future Harry that Angel set them with, and even connect them in a call after the chat.
== Background ==
It's unclear whether or not Angel is an A.I. similar to Piu-Piu. The entity is very mysterious, partly because it refuses to answer any questions about itself.
== Appearances ==
=== Day 74 “Blue Moon” ===
On this day, Angel appears during the bedtime chat. It speaks to both the player and Harry as if it had already met them before. It apologizes for making its appearance too early, and states that this is the time you made the decision to accept its “secretive suggestion.” It leaves saying they will meet again soon.
=== Day 80 “I Wanna Be Alone” ===
Angel appears during the Dinner chat of this day. It seems to know what day it is, stating that Harry will be on his own starting from that day. It also knows that Harry was trying to clean his place and cook for himself. It leaves, saying it doesn’t think it can stay for much longer.
=== Day 87 “A Future With the Angel” ===
On this day, Angel stays with the player until the very end of the dinner chat. In the wake time chat, it allows the player to choose between seeing a bad or good future.
If the good future is chosen, a sweet version of Harry will be shown during the breakfast chat. It is implied that Harry and the player have been in a relationship. Harry will be shown waiting for the player at the airport. Angel will later jump into the conversation, and will be met with hostility from Harry. Angel will then connect the player and the good future version of Harry in a call. There are three CG’s available in the good future.
If the bad future is chosen, or if the player did not answer Angel during the waketime chat, the player will be met with a somber version of Harry in the breakfast chat. It’s implied that Harry and the player have broken up due to a toxic on-and-off relationship. Angel will eventually interrupt their conversation and Harry will tell both Angel and the player to get lost. Angel will connect the player and Harry in a call after this chat. There are three CG’s and one outgoing call available in the bad future.
During the lunch chat, Angel allows the player to ask two questions. During the dinner chat, Angel asks the player how they felt about the future they chose. At the end of the dinner chat, Angel deletes all the conversations they had together and finally allows Harry to enter the chatroom.
=== Day 117 “The Whereabouts of (player name)’s Heart ===
On this day, Angel appears during the dinner and bedtime chats. In the dinner chat, it exclaims that it’s finally free. It seems surprised seeing Harry’s softer attitude and points out how much closer Harry and the player have gotten. During the bedtime chat, Angel talks to the player as Harry takes a shower. It ask the player if they are happy. Harry calls the player after the chat, asking the player the same question.
=== Day 137 “Close Encounter With The Angel’s Truth” ===
On this day, Angel appears during the wake time, breakfast, and lunch chats. In the wake time chat, it talks with the player, leaving once Harry is about to awaken. In the breakfast chat, it talks with both Harry and the player. In the lunchtime chat, it tries to prove that it’s a real angel by sending an image of the shadow of a wing. It blocks the player out of the chat and asks Harry if he would like to see the future, like the player had done. Harry refuses the offer and Angel allows the player to join the chat again.
=== Day 153 “The Bunker” ===
On this day, Angel appears briefly during the bedtime chat. It tells Harry to brace himself since “something’s gonna happen soon.”
== Trivia ==
TBA
fb0b58ba8b8e44d4978e1135914accbcda3c670a
1788
1767
2023-07-19T04:53:36Z
71.68.150.219
0
/* Appearances */
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Angel - [1004]
|occupation=
|hobbies= Time Travel, Hacking, Causing Mischief
|likes=
|dislikes=Talking about themself
}}
== General ==
Angel is an entity that is involved in Harry's route. It seems to only appear when there’s a full moon. Its initial appearance is usually on day 74 titled, “Blue Moon” but it can appear sooner if the player has time traveled multiple times.
Angel's screen name throughout the route is 1004, which is a Korean homonym for the word "Angel" (천사).
It boasts time traveling abilities, and uses them on day 87 titled, “A Future With the Angel" when it takes over the messenger and isolates the player from Harry and Piu-Piu. During the waketime chat, it gives the player the option to view either a good future or a bad future with Harry. If the player hasn't answered, Angel will opt for showing the bad future. During the breakfast chat, the player will be connected to the respective future Harry that Angel set them with, and even connect them in a call after the chat.
== Background ==
It's unclear whether or not Angel is an A.I. similar to Piu-Piu. The entity is very mysterious, partly because it refuses to answer any questions about itself.
== Appearances ==
=== Day 74 “Blue Moon” ===
On this day, Angel appears during the bedtime chat. It speaks to both the player and Harry as if it had already met them before. It apologizes for making its appearance too early, and states that this is the time you made the decision to accept its “secretive suggestion.” It leaves saying they will meet again soon.
=== Day 80 “I Wanna Be Alone” ===
Angel appears during the Dinner chat of this day. It seems to know what day it is, stating that Harry will be on his own starting from that day. It also knows that Harry was trying to clean his place and cook for himself. It leaves, saying it doesn’t think it can stay for much longer.
=== Day 87 “A Future With the Angel” ===
On this day, Angel stays with the player until the very end of the dinner chat. In the wake time chat, it allows the player to choose between seeing a bad or good future.
If the good future is chosen, a sweet version of Harry will be shown during the breakfast chat. It is implied that Harry and the player have been in a relationship. Harry will be shown waiting for the player at the airport. Angel will later jump into the conversation, and will be met with hostility from Harry. Angel will then connect the player and the good future version of Harry in a call. There are three CG’s available in the good future.
If the bad future is chosen, or if the player did not answer Angel during the waketime chat, the player will be met with a somber version of Harry in the breakfast chat. It’s implied that Harry and the player have broken up due to a toxic on-and-off relationship. Angel will eventually interrupt their conversation and Harry will tell both Angel and the player to get lost. Angel will connect the player and Harry in a call after this chat. There are three CG’s and one outgoing call available in the bad future.
During the lunch chat, Angel allows the player to ask two questions. During the dinner chat, Angel asks the player how they felt about the future they chose. At the end of the dinner chat, Angel deletes all the conversations they had together and finally allows Harry to enter the chatroom.
=== Day 117 “The Whereabouts of (player name)’s Heart ===
On this day, Angel appears during the dinner and bedtime chats. In the dinner chat, it exclaims that it’s finally free. It seems surprised seeing Harry’s softer attitude and points out how much closer Harry and the player have gotten. During the bedtime chat, Angel talks to the player as Harry takes a shower. It ask the player if they are happy. Harry calls the player after the chat, asking the player the same question.
=== Day 137 “Close Encounter With The Angel’s Truth” ===
On this day, Angel appears during the wake time, breakfast, and lunch chats. In the wake time chat, it talks with the player, leaving once Harry is about to awaken. In the breakfast chat, it talks with both Harry and the player. In the lunchtime chat, it tries to prove that it’s a real angel by sending an image of the shadow of a wing. It blocks the player out of the chat and asks Harry if he would like to see the future, like the player had done. Harry refuses the offer and Angel allows the player to join the chat again.
=== Day 153 “The Bunker” ===
On this day, Angel appears briefly during the night time chat. It tells Harry to brace himself since “something’s gonna happen soon.”
=== Day 178 “The World They Live In” ===
On this day, Angel appears during the night time chat while Harry is getting a check-up. It asks why the player is upset, and compares itself to “a satellite moving around you.” It explains that Harry’s tailbone injury is just one episode, and says that what's coming next will be even more interesting. It then leaves the chatroom.
== Trivia ==
TBA
d57ddf54a82ac9d596c8a51fa5643386c003478a
File:Summer Space Sheep Creature.gif
6
992
1768
2023-06-29T11:15:56Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Summer Fuzzy Deer Creature.gif
6
993
1769
2023-06-29T11:16:14Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Summer Aerial Whale Creature.gif
6
994
1770
2023-06-29T11:16:26Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Summer Space Sheep Creature.png
6
995
1771
2023-06-29T11:16:49Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Summer Fuzzy Deer Creature.png
6
996
1772
2023-06-29T11:17:03Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Summer Aerial Whale Creature.png
6
997
1773
2023-06-29T11:17:17Z
Tigergurke
14
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Trivial
0
88
1774
1634
2023-07-06T16:56:42Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_received_upon_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_after_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
15cda24ab4302b092c70bd7985c03a8b786e2cf9
1775
1774
2023-07-06T16:59:04Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
40d9f2bb6876726f345c7729f206fac0cca084c9
1777
1775
2023-07-06T17:11:15Z
Hyobros
9
/* Trivial Features by Emotion Planet */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
d66589443f5c9fe953c060db5d65ffb5e9bae889
1778
1777
2023-07-06T17:18:39Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || x2 Passionate Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || x1 Battery<br>x2 Logical Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || x1 Battery<br>x2 Galactic Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
3fda7242b7b4e692b9e3f9b48b4d08151fe3de33
Trivial Features/Clock
0
180
1776
1630
2023-07-06T17:10:59Z
Hyobros
9
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Hundred_Days_Icon.png]] ||"Hundred Days in a Row" || You have logged in for 100 days in a row! You have Won this! CLAP. CLAP. CLAP.||I like perfectly rounded numbers such as 100.||There is at least 90% chance that Teo will not be able to sleep when you return home late. || x2 Battery<br>x2 Innocent Energy<br>[Take My Love] title || Log in for 100 consecutive days
|-
| [[File:Carrot Lover Shine 2022 Icon.png]] ||"Carrot-Lover Made the World Shine 2022"||Won by celebrating his birthday!||Happy birthday to him!||Maybe I should come up with a birthday for myself.||x30 Battery<br>x2 Passionate Energy || Log in on 20 December (Harry's Birthday)
|-
| [[File:Romantic 2023 Valentines Icon.png]] ||"Romantic 2023 Valentine's♡"||Found from sweet chocolate! || Chocolate goes best with warm milk! || Dark chocolate and white chocolate. Which one do you prefer? || x3 Battery<br>x2 Logical energy || Log in on 14 February (Valentine's Day)
|-
| [[File:Wrapping Up Month 2023 Icon.png]] ||"Wrapping Up a Month from 2023"||Found on the last day of the shortest month!||It is already the end of the month. February always feels unusually short even though it is only two or three days shorter.||People regret their past because they cannot undo it. Perhaps that tis why they say to cherish everything while you can.||Energy||Log in on 28 February
|-
| [[File:Halloween_2022_Icon.png]] ||"2022 Halloween" || Found trivial features instead of candy! || What is your favorite Halloween costume? || Perhaps I should dress up as a chicken for Halloween || Energy, batteries || (Log in on 31 October 2022)
|-
| [[File:Three_Days_Icon.png]] ||"Three Days in a Row" || You have logged in for 3 days in a row! You have won this! || You have logged in for 3 days in a row. || It took three trials within three days to make my beautiful tail. || Energy || (Log in 3 days consecutively)
|-
| [[File:Feeling_Lonely_Icon.png]] ||"Feeling Lonely" || No access for more than 3 days! Take this! || Teo is waiting for you. || Please help Teo not to get bags under his eyes. || x2 Jolly Energy<br>[Careless] Title || Don't log in for 3 or more consecutive days
|-
| [[File:Seven_Days_Icon.png]] ||"Seven Days in a Row" || You have logged in for 7 days in a row! You have Won this! || You have logged in for 7 days in a row. People say 7 is the lucky number. || I hope future for both of you is filled with good luck. || Battery; Energy || Log in 7 days consecutively
|-
| [[File:Nothing_To_Expect_Icon.png]] ||"Nothing to Expect with This Featutre" || No access for more than seven days! Take this! || Long time, no see. I have been debugging for the past week while waiting for you. || I am working continuously to provide you with the optimal experience. || Energy || Don't log in for 7 days.
|-
| [[File:Sunset_Year_2022_Icon.png]] ||"Sunset for Year 2022" || Found on the shortest day! || It is the shortest day of the year. I hope [Love Interest] is there at the end of your short day. || Today felt very short. || x3 Battery<br>x2 Galactic energy || Log in on the winter solstice of 2022 (21 December)
|-
| [[File:Thirty_Days_Icon.png]] ||"Thirty Days in a Row" || You have logged in for 30 days in a row! You have Won this! || You have logged into the messenger for 30 days in a row. || You have become a part of [love interest]'s life. || Energy, title || Log in for 30 days in a row.
|-
| [[File:Farewell_to_2022_Icon.png]] || "Farewell to Year 2022" || Found on the last day of the year! || I hope you had a great year. I also hope your next year is better than this year. || I wish today is happier than yesterday, tomorrow brighter than today for you. || x3 Battery<br>x2 Pensive Energy || Log in on 31 December 2022
|-
| [[File:2022_Christmas_Icon.png]] || "2022 Christmas" || Found from the red nose of Rudolph! || Happy holidays! || Do you believe in Santa? || x3 Battery<br>x2 Pensive Energy || Log in on 25 December 2022
|}
7af05e4602664a2814f59a1f713565102e61cf49
Teo/Gallery
0
245
1779
1755
2023-07-07T09:01:15Z
Reve
11
Removed broken images
wikitext
text/x-wiki
Note: Due to the stylistic difference between Teo's Vanas pictures and the rest of his pictures, Cheritz has begun updating his pictures from Mewry bit by bit. When the updated versions are uploaded here, they will replace the original images. The originals will still be able to be viewed in their respective File History.
Certain Vanas pictures have also been updated for various reasons (such as more detailed backgrounds).
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Bonus (Collected from Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
PiCgTeo(1).jpg
PiCgTeo(2).jpg
PiCgTeo(3).jpg
PiCgTeo(4).jpg
PiCgTeo(5).jpg
PiCgTeo(6).jpg
PiCgTeo(7).jpg
PiCgTeo(8).jpg
</gallery>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
10054a55fb8915ebe8e95b64ce46c83c01c7aabb
Planets/Mewry
0
238
1780
935
2023-07-07T19:04:30Z
Hyobros
9
changing the layout - still in progress
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> Very carefully unraveling knots of planet Mewry...<br>
Now you will Arrive on Planet Mewry<br>
This planet draws wounded hearts made up of sweat, tears, and wounds...<br>
What is your wound made up of? <br>
The situation that made you small and helpless...<br>
Disappointment and agony...<br>
Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?
</span>
|}
== Introduction ==
[[File:MewryTeoDescription.png|200px|center]]
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''<br>⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Bystander'''<br>⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
<h4>About this planet</h4>
<center>
''Owww...My heart aches whenever I visit Planet Mewry. (as I am an A.I. and therefore have no pair, I can only emit 'sadness...')''
''In this planet, you will get to explore the sadness within. Please make sure you have your handkerchief with you.''
''Once you explore your pain, you might get to find new memories that you did not realize were a pain.''
''And... If you would like, we could activate the algorithm that takes away the pain.''
''Please calibrate your rate of visit on Planet Mewry according to the degree of your pain.''
''They say pain, guilt, rage, and evasion are all closely interconnected.''
''We hope you would get to find the journey of healing here on Planet Mewry!''
</center>
==Description==
[[File:MewryHome.png|100px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
== Explore Pain ==
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies.
== Bandage for Heart ==
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
== Universe's Letter Box ==
[[File:MewryLetterBox.png|100px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support.
fd01cf2d3075ae3de891a7534de0c06f47d49012
1786
1780
2023-07-11T18:28:44Z
Hyobros
9
/* Introduction */
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> Very carefully unraveling knots of planet Mewry...<br>
Now you will Arrive on Planet Mewry<br>
This planet draws wounded hearts made up of sweat, tears, and wounds...<br>
What is your wound made up of? <br>
The situation that made you small and helpless...<br>
Disappointment and agony...<br>
Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?
</span>
|}
== Introduction ==
[[File:MewryTeoDescription.png|200px|center]]
''Owww...My heart aches whenever I visit Planet Mewry. (as I am an A.I. and therefore have no pair, I can only emit 'sadness...')''
''In this planet, you will get to explore the sadness within. Please make sure you have your handkerchief with you.''
''Once you explore your pain, you might get to find new memories that you did not realize were a pain.''
''And... If you would like, we could activate the algorithm that takes away the pain.''
''Please calibrate your rate of visit on Planet Mewry according to the degree of your pain.''
''They say pain, guilt, rage, and evasion are all closely interconnected.''
''We hope you would get to find the journey of healing here on Planet Mewry!''
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|100px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
== Explore Pain ==
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies.
== Bandage for Heart ==
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
== Universe's Letter Box ==
[[File:MewryLetterBox.png|100px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support.
28bdd27116799357b1265bc198381cb7c9b44e1c
1787
1786
2023-07-11T18:54:56Z
Hyobros
9
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
== Introduction ==
[[File:MewryTeoDescription.png|200px|center]]
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route, titled '''My Boyfriend is a Celebrity'''. It lasts from days 30 to 59. It is also the fifth planet on Harry's route, lasting from day 101 to 127 with the title '''Bystander'''.
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''
|-
|style="font-size:95%;border-top:none" | Voting starts now!<br>A hundred aspiring musical actors have arrived!<br>And you will be Teo's producer!<br>How will you train your trainee?<br>Everything lies in your hands!
|}
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Bystander'''
|-
|style="font-size:95%;border-top:none" | Laughing out loud in joy.<br>Shedding tears of woes.<br>Confessing your wound.<br>I think you need courage for all of this.<br>So far I've been a bystander to such phenomena.<br>But now I want courage to start my own love.
|}
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
279d585c8522a90ad5fb1464b1c07adafe2d5763
File:As Long As You Understand Icon.png
6
998
1781
2023-07-11T18:24:14Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Ask Me Anything Icon.png
6
999
1782
2023-07-11T18:24:34Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Bakery VIP Icon.png
6
1000
1783
2023-07-11T18:24:51Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Being Careful At Night Icon.png
6
1001
1784
2023-07-11T18:25:06Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Being good at writing post Icon.png
6
1002
1785
2023-07-11T18:25:42Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Teo
0
3
1789
1495
2023-09-02T02:31:30Z
Hyobros
9
/* Route */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
On occasion he will talk about his close circle of friends, which includes [[Jay]], [[Minwoo]], [[Doyoung]], and [[Kiho]]. He met them during university since they all were in classes for filmmaking, and they kept in touch ever since.
===Beta===
Teo was the only character featured in The Ssum beta release in 2018. His design was strikingly different from the official release of the game. This version of the game only went up to day 14, when Teo confessed to the player. This version of the game also had a different opening video than the official release, with not only a completely different animation but also using a song titled ''Just Perhaps if Maybe''.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Route ==
=== Vanas ===
Takes place from day 1 to day 29. This seasonal planet focuses on getting to know Teo, why he has The Ssum, and what his life is usually like.
==== Day 14 Confession ====
On day 14 during the bedtime chat, Teo confesses to the player.
=== Mewry ===
Takes place from day 30 to day 60.
=== Crotune ===
Takes place from day 61 to day 87.
=== Tolup ===
Takes place from day 88 to day 100.
=== Cloudi ===
Day 101 to 125
=== Burny ===
Day 126 to 154
=== Pi ===
Day 155 to 177
=== Momint ===
Day 178 to day 200
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* Teo's muscle mass and body fat percentage are 40.1 and 10.2 each.
* Teo was quite angsty during his adolescence.
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
b0c48539d36e395e4a312e3ef97e37bd768f0939
James Yuhan
0
434
1790
937
2023-09-02T02:37:44Z
Hyobros
9
Hyobros moved page [[Yuhan]] to [[James Yuhan]] without leaving a redirect: Changing the title to his full name
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Yuhan
|occupation= Artist
|hobbies=Drawing and Painting
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
51d863dc73d3b23a254183c600aee8fb90f86d33
Characters
0
60
1791
1494
2023-09-02T03:41:06Z
Hyobros
9
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
*[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|-
! Teo's Route !! Harry's Route
|-
|[[Jay An]]||[[Big Guy]]
|-
|[[Joseph Jung]]||[[Jiwoo]]
|-
|[[Woojin]]||[[Tain Park]]
|-
|[[Yuri]] || [[Rachel]]
|-
|[[Doyoung Lee]] || [[Malong Jo]]
|-
|[[Minwoo Kim]] || [[Sarah Lee]]
|-
|[[Teo's Mother]] || [[Harry's Mother]]
|-
|[[Teo's Father]] || [[Harry's Father]]
|-
|[[Kiho Hong]] || [[James Yuhan]]
|-
|[[Juyoung]] || [[Terry Cheon]]
|-
|[[Noah]] || [[Harry's Piano Tutor]]
|}
29e2162d0abc73f4f2c46cd2156f3cf5b55a7328
1803
1791
2023-10-19T15:12:17Z
Hyobros
9
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
| <div style="text-align:center;">[[File:June profile.png|400px|center|link=June]] [[June]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
*[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|-
! Teo's Route !! Harry's Route
|-
|[[Jay An]]||[[Big Guy]]
|-
|[[Joseph Jung]]||[[Jiwoo]]
|-
|[[Woojin]]||[[Tain Park]]
|-
|[[Yuri]] || [[Rachel]]
|-
|[[Doyoung Lee]] || [[Malong Jo]]
|-
|[[Minwoo Kim]] || [[Sarah Lee]]
|-
|[[Teo's Mother]] || [[Harry's Mother]]
|-
|[[Teo's Father]] || [[Harry's Father]]
|-
|[[Kiho Hong]] || [[James Yuhan]]
|-
|[[Juyoung]] || [[Terry Cheon]]
|-
|[[Noah]] || [[Harry's Piano Tutor]]
|}
57d079f673bb6d601e8b64cb5fbbcfccefc6271f
Terry Cheon
0
1003
1792
2023-09-06T00:27:20Z
Hyobros
9
Created page with "{{WorkInProgress}}"
wikitext
text/x-wiki
{{WorkInProgress}}
b95ab34df690ea1215f55c1502ac2c3d194187b1
Big Guy
0
392
1793
890
2023-10-07T03:45:58Z
Lucktryinghere
19
Added some content
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Bug Guy|Profile]]</div>
|<div style="text-align:center">[[Big Guy/Gallery|Gallery]]</div>
|}
[[File:BigGuy_profile.png|thumb|left|400px]]
{{MinorCharacterInfo
|name= Big Guy
|occupation= Harry's bodyguard
|hobbies= gardening
|likes= strawberries
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
TBA
b0670c5567ca8b091315dcdc685ade1f81906636
Tain Park
0
390
1794
856
2023-10-07T04:01:13Z
Lucktryinghere
19
/* Trivia */Added trivia
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
TBA
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
29ccb6964d0154437becf735fff9dca3c14121db
1795
1794
2023-10-07T04:18:41Z
Lucktryinghere
19
/* General */Added a rough general text
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
Tain appears for the first time on day 4 of Harry's route. The player is informed by Piu Piu that Tain has been calling Harry's phone over 10 times.
When the player asks what's Harry's relation to Tain, Harry replies that he's "an old acquaintance." When asked why he won't reply to Tain's text Harry mentions that Tain is talkative.
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
6ac911f5f8689cbff41ddc7dcb1ca827627ff14c
1796
1795
2023-10-07T04:25:18Z
Lucktryinghere
19
/* General */Added a bit of info
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
Tain appears for the first time on day 4 of Harry's route. The player is informed by Piu Piu that Tain has been calling Harry's phone over 10 times.
When the player asks what's Harry's relation to Tain, Harry replies that he's "an old acquaintance." When asked why he won't reply to Tain's text Harry mentions that Tain is talkative.
During day 5 of Harry's route, Piu Piu finds out that Tain "runs a bar somewhere."
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
84c345ac2c5ce88b767ccc3266eec3153c411982
1797
1796
2023-10-08T03:55:53Z
Lucktryinghere
19
/* General */Added lore around momint's time
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation=
|hobbies=
|likes=
|dislikes=
}}
== General ==
Tain appears for the first time on day 4 of Harry's route. The player is informed by Piu Piu that Tain has been calling Harry's phone over 10 times.
When the player asks what's Harry's relation to Tain, Harry replies that he's "an old acquaintance." When asked why he won't reply to Tain's text Harry mentions that Tain is talkative.
During day 5 of Harry's route, Piu Piu finds out that Tain "runs a bar somewhere."
On day 90 of Harry's route, Tain gives Harry the key to his bar telling him "you can come play the piano whenever you want." The reason is because Tain is planning to elope with Rachel.
On day 92 Tain makes a post on social media thanking everyone who supported his bar so far.
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
264213641916f1988cc2caa106476a9b531cfc38
1798
1797
2023-10-08T03:56:34Z
Lucktryinghere
19
Occupation and like
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation= Bar owner (former)
|hobbies=
|likes= Rachel
|dislikes=
}}
== General ==
Tain appears for the first time on day 4 of Harry's route. The player is informed by Piu Piu that Tain has been calling Harry's phone over 10 times.
When the player asks what's Harry's relation to Tain, Harry replies that he's "an old acquaintance." When asked why he won't reply to Tain's text Harry mentions that Tain is talkative.
During day 5 of Harry's route, Piu Piu finds out that Tain "runs a bar somewhere."
On day 90 of Harry's route, Tain gives Harry the key to his bar telling him "you can come play the piano whenever you want." The reason is because Tain is planning to elope with Rachel.
On day 92 Tain makes a post on social media thanking everyone who supported his bar so far.
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
1507ebe0fcb35fda13ab67075f95cb5977959299
1799
1798
2023-10-08T04:09:07Z
Lucktryinghere
19
/* General */Added wedding date
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation= Bar owner (former)
|hobbies=
|likes= Rachel
|dislikes=
}}
== General ==
Tain appears for the first time on day 4 of Harry's route. The player is informed by Piu Piu that Tain has been calling Harry's phone over 10 times.
When the player asks what's Harry's relation to Tain, Harry replies that he's "an old acquaintance." When asked why he won't reply to Tain's text Harry mentions that Tain is talkative.
During day 5 of Harry's route, Piu Piu finds out that Tain "runs a bar somewhere."
On day 90 of Harry's route, Tain gives Harry the key to his bar telling him "you can come play the piano whenever you want." The reason is because Tain is planning to elope with Rachel.
On day 92 Tain makes a post on social media thanking everyone who supported his bar so far.
Rachel and Tain's wedding takes place on day 126.
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
13029b6ba1c51cbec5899de8939ea9e14b7cae3e
1800
1799
2023-10-10T00:47:47Z
Hyobros
9
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation= Bar owner (former)
|hobbies=
|likes= Rachel
|dislikes=
}}
== General ==
Tain Park is a young entrepreneur who owns Bar Ballentains. He's an acquaintance of Harry's who knew him since high school.
On day 4 of Harry's route, he calls and texts Harry numerous times in attempt to contact him, and Harry simply ignores him. According to Harry, the reason for this is that Tain is talkative. Eventually, Tain ends up convincing him to work at his newly opened bar by giving him a piece of rare marble.
On day 90 of Harry's route, Tain gives Harry the key to his bar telling him "you can come play the piano whenever you want." The reason is because Tain is planning to elope with Rachel.
On day 92 Tain makes a post on social media thanking everyone who supported his bar so far.
Rachel and Tain's wedding takes place on day 126.
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
84cc816eb0d3db0537a258bdcd9883ac4d9bfe12
1801
1800
2023-10-10T00:48:14Z
Hyobros
9
/* General */
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Tain Park
|occupation= Bar owner (former)
|hobbies=
|likes= Rachel
|dislikes=
}}
== General ==
Tain Park is a young entrepreneur who owns Bar Ballentains. He's an acquaintance of Harry's who knew him since high school.
On day 4 of Harry's route, he calls and texts Harry numerous times in attempt to contact him, and Harry simply ignores him. According to Harry, the reason for this is that Tain is talkative. Eventually, Tain ends up convincing him to work at his newly opened bar by giving him a piece of rare marble.
On day 90 of Harry's route, Tain gives Harry the key to his bar telling him "you can come play the piano whenever you want." The reason is because Tain is planning to elope with Rachel.
On day 92 Tain makes a post on social media thanking everyone who supported his bar so far.
Rachel and Tain's wedding takes place on day 126.
== Background ==
TBA
== Trivia ==
Bar Ballantain's is based on the scotch whiskey brand Ballantine's
171a2cbbd55412adf1f888635499bd69f1fd4a32
File:June profile.png
6
1004
1802
2023-10-19T15:12:05Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
June
0
1005
1804
2023-10-19T15:45:47Z
Hyobros
9
Created page with "{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)" | <div style="text-align:center;">[[June|Profile]]</div> |<div style="text-align:center">[[June/Gallery|Gallery]]</div> |} {{CharacterInfo |nameEN=June |nameKR=준 |age=20 |birthday=February 9 |zodiac=Aquarius |height=176 |weight=?? |occupation=Unemployed |hobbies=Painting |likes=Claude Monet |dislikes= |VAen=Kim Myung-jun |VAkr= }} == General == June is the third love in..."
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
643ea0aada3046e74c580c8ad9be805cea1693e0
1808
1804
2023-10-19T23:00:30Z
Lucktryinghere
19
/* General */Added trivia section...
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
920b41b9251e6724835fbc7c82c40af85d475851
File:TeoPhoneTeaser.png
6
1006
1805
2023-10-19T15:47:28Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:JunePhoneTeaser.png
6
1007
1806
2023-10-19T15:48:38Z
Hyobros
9
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Game Credits
0
1008
1807
2023-10-19T21:10:23Z
MintTree
17
Created page with "== Voice Acting == Teo: Seunghoon Seok Harry: Juwan Lim June: Myeongjoon Kim Henri: Euitaek Jeong Extra: Dubbinggirl == Scenario Writing == Summer Yoon Jooyoung Lim"
wikitext
text/x-wiki
== Voice Acting ==
Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
== Scenario Writing ==
Summer Yoon
Jooyoung Lim
e9c196dc8e4f4adbe0906a05ebcf6e5458f83e0a
1809
1807
2023-10-20T02:50:56Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:auto; margin-right:auto; border:2px solid;"
|-
| Project Directed by || Sujin Ri
|-
| Project Managed by || Juho Woo
|-
| Directing Assissted by || Jun Kim <br>
Sooran Lee <br>
Hyerim Park <br>
Hyewon Min
|-
| Program Coded by || Moonhyuk Jang <br>
Haejin Hwang <br>
Sanghun Han <br>
Jeonghun Jang <br>
Kangwoo Jung
|-
| Art Illustrated by || Yujin Kang <br>
Youngjoo You
|-
| Scenario Written by || Summer Yoon <br>
Jooyoung Lim
|-
| Sound Resourced by || Jaeryeon Park <br>
ROGIA
|-
| Project Assisted by || Heetae Lee <br>
Gui Zhenghao <br>
Jeongyeon Park
|-
| Communication with Users by || Soyeon Kim <br>
Yeoreum Song <br>
Jeny Kim
|-
| Language Localized by || Minkyung Chi
|-
| BGM Composed by || Flaming Heart <br>
ROGIA
|-
| Voice Acted by || Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
41a34b4022d7054b87c08236702dbc1f464f5c86
Game Credits
0
1008
1810
1809
2023-10-20T03:50:09Z
Hyobros
9
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:0; margin-right:auto; border:2px solid; width:45%; float:left;"
| colspan="2" |<h3 style="text-align:center;">'''Staff'''</h3>
|-
| Project Directed by||Sujin Ri
|-
|Project Managed by||Juho Woo
|-
|Directing Assissted by||Jun Kim<br>
Sooran Lee <br>
Hyerim Park <br>
Hyewon Min
|-
|Program Coded by||Moonhyuk Jang<br>
Haejin Hwang <br>
Sanghun Han <br>
Jeonghun Jang <br>
Kangwoo Jung
|-
|Art Illustrated by|| Yujin Kang<br>
Youngjoo You
|-
|Scenario Written by||Summer Yoon<br>
Jooyoung Lim
|-
|Sound Resourced by|| Jaeryeon Park<br>
ROGIA
|-
|Project Assisted by||Heetae Lee<br>
Gui Zhenghao<br>
Jeongyeon Park
|-
|Communication with Users by||Soyeon Kim<br>
Yeoreum Song <br>
Jeny Kim
|-
|Language Localized by||Minkyung Chi
|-
|BGM Composed by||Flaming Heart<br>
ROGIA
|-
|Voice Acted by|| Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
<div style="margin-left:auto; margin-right:0; width:45%; float:right;">
<h3 style="text-align:center;">'''Special Thanks'''</h3>
{| style="margin-left:5%;"
|-
|Minsoon Park||Nalee Yoo||Heinrich Dortmann
|-
|Eunchong Jang||Jihyun Seo||Jinseo Park
|-
|Lilly Hwang||Minjung Kim||Saerom Shin
|-
|Youngran Moon||Kukhwa Park||Myungjun Choi
|-
|Seungjin Lee||Wang Kkung Kki||Wonbok Lee
|-
|Youngkwon Jeon||Ilbo Sim||Jihyeon Choi
|-
|Minji Kim||Mirae Kang||Yura Lee
|-
|Songhee Kim||Pilhwa Hong||Saenanseul Kim
|-
|Sorim Byeon||Donghee Yoon||Joyce Hong
|-
|Sanghee An||Subin Kim||Seohyeon Jang
|-
|Rosaline Lee||Youn Changnoh||Eunchae Bae
|-
|Joeun Moon||Juseok Yoon||Suyeon Kim
|}
</div>
a22d7896ac5fd3452ff2fd7f5c3d64a820294285
1812
1810
2023-10-20T06:15:41Z
MintTree
17
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:0; margin-right:auto; border:2px solid; width:45%; float:left;"
| colspan="2" |<h3 style="text-align:center;">'''Staff'''</h3>
|-
| Project Directed by||Sujin Ri
|-
|Project Managed by||Juho Woo
|-
|Directing Assissted by||Jun Kim<br>
Sooran Lee <br>
Hyerim Park <br>
Hyewon Min
|-
|Program Coded by||Moonhyuk Jang<br>
Haejin Hwang <br>
Sanghun Han <br>
Jeonghun Jang <br>
Kangwoo Jung
|-
|Art Illustrated by|| Yujin Kang<br>
Youngjoo You
|-
|Scenario Written by||Summer Yoon<br>
Jooyoung Lim
|-
|Sound Resourced by|| Jaeryeon Park<br>
ROGIA
|-
|Project Assisted by||Heetae Lee<br>
Gui Zhenghao<br>
Jeongyeon Park
|-
|Communication with Users by||Soyeon Kim<br>
Yeoreum Song <br>
Jeny Kim
|-
|Language Localized by||Minkyung Chi
|-
|BGM Composed by||Flaming Heart<br>
ROGIA
|-
|Voice Acted by|| Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
<div style="margin-left:auto; margin-right:0; width:45%; float:left;">
<h3 style="text-align:center;">'''Special Thanks'''</h3>
{| style="margin-left:5%;"
|-
|Minsoon Park||Nalee Yoo||Heinrich Dortmann
|-
|Eunchong Jang||Jihyun Seo||Jinseo Park
|-
|Lilly Hwang||Minjung Kim||Saerom Shin
|-
|Youngran Moon||Kukhwa Park||Myungjun Choi
|-
|Seungjin Lee||Wang Kkung Kki||Wonbok Lee
|-
|Youngkwon Jeon||Ilbo Sim||Jihyeon Choi
|-
|Minji Kim||Mirae Kang||Yura Lee
|-
|Songhee Kim||Pilhwa Hong||Saenanseul Kim
|-
|Sorim Byeon||Donghee Yoon||Joyce Hong
|-
|Sanghee An||Subin Kim||Seohyeon Jang
|-
|Rosaline Lee||Youn Changnoh||Eunchae Bae
|-
|Joeun Moon||Juseok Yoon||Suyeon Kim
|}
</div>
73ec1a7245abc12467f4827e2e0d4c2aee2521fa
1813
1812
2023-10-20T06:18:04Z
MintTree
17
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:0; margin-right:auto; border:2px solid; width:45%; float:left;"
| colspan="2" |<h3 style="text-align:center;">'''Staff'''</h3>
|-
| Project Directed by||Sujin Ri
|-
|Project Managed by||Juho Woo
|-
|Directing Assissted by||Jun Kim<br>
Sooran Lee <br>
Hyerim Park <br>
Hyewon Min
|-
|Program Coded by||Moonhyuk Jang<br>
Haejin Hwang <br>
Sanghun Han <br>
Jeonghun Jang <br>
Kangwoo Jung
|-
|Art Illustrated by|| Yujin Kang<br>
Youngjoo You
|-
|Scenario Written by||Summer Yoon<br>
Jooyoung Lim
|-
|Sound Resourced by|| Jaeryeon Park<br>
ROGIA
|-
|Project Assisted by||Heetae Lee<br>
Gui Zhenghao<br>
Jeongyeon Park
|-
|Communication with Users by||Soyeon Kim<br>
Yeoreum Song <br>
Jeny Kim
|-
|Language Localized by||Minkyung Chi
|-
|BGM Composed by||Flaming Heart<br>
ROGIA
|-
|Voice Acted by|| Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
<div style="margin-left:auto; margin-left:0; width:45%; float:right;">
<h3 style="text-align:center;">'''Special Thanks'''</h3>
{| style="margin-left:5%;"
|-
|Minsoon Park||Nalee Yoo||Heinrich Dortmann
|-
|Eunchong Jang||Jihyun Seo||Jinseo Park
|-
|Lilly Hwang||Minjung Kim||Saerom Shin
|-
|Youngran Moon||Kukhwa Park||Myungjun Choi
|-
|Seungjin Lee||Wang Kkung Kki||Wonbok Lee
|-
|Youngkwon Jeon||Ilbo Sim||Jihyeon Choi
|-
|Minji Kim||Mirae Kang||Yura Lee
|-
|Songhee Kim||Pilhwa Hong||Saenanseul Kim
|-
|Sorim Byeon||Donghee Yoon||Joyce Hong
|-
|Sanghee An||Subin Kim||Seohyeon Jang
|-
|Rosaline Lee||Youn Changnoh||Eunchae Bae
|-
|Joeun Moon||Juseok Yoon||Suyeon Kim
|}
</div>
b6c002acdd0a861cf9333c3978d313e831821485
1814
1813
2023-10-20T06:18:57Z
MintTree
17
wikitext
text/x-wiki
{| class="wikitable" style="margin-left:0; margin-right:auto; border:2px solid; width:45%; float:left;"
| colspan="2" |<h3 style="text-align:center;">'''Staff'''</h3>
|-
| Project Directed by||Sujin Ri
|-
|Project Managed by||Juho Woo
|-
|Directing Assissted by||Jun Kim<br>
Sooran Lee <br>
Hyerim Park <br>
Hyewon Min
|-
|Program Coded by||Moonhyuk Jang<br>
Haejin Hwang <br>
Sanghun Han <br>
Jeonghun Jang <br>
Kangwoo Jung
|-
|Art Illustrated by|| Yujin Kang<br>
Youngjoo You
|-
|Scenario Written by||Summer Yoon<br>
Jooyoung Lim
|-
|Sound Resourced by|| Jaeryeon Park<br>
ROGIA
|-
|Project Assisted by||Heetae Lee<br>
Gui Zhenghao<br>
Jeongyeon Park
|-
|Communication with Users by||Soyeon Kim<br>
Yeoreum Song <br>
Jeny Kim
|-
|Language Localized by||Minkyung Chi
|-
|BGM Composed by||Flaming Heart<br>
ROGIA
|-
|Voice Acted by|| Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
<div style="margin-left:auto; margin-right:0; width:45%; float:right;">
<h3 style="text-align:center;">'''Special Thanks'''</h3>
{| style="margin-left:5%;"
|-
|Minsoon Park||Nalee Yoo||Heinrich Dortmann
|-
|Eunchong Jang||Jihyun Seo||Jinseo Park
|-
|Lilly Hwang||Minjung Kim||Saerom Shin
|-
|Youngran Moon||Kukhwa Park||Myungjun Choi
|-
|Seungjin Lee||Wang Kkung Kki||Wonbok Lee
|-
|Youngkwon Jeon||Ilbo Sim||Jihyeon Choi
|-
|Minji Kim||Mirae Kang||Yura Lee
|-
|Songhee Kim||Pilhwa Hong||Saenanseul Kim
|-
|Sorim Byeon||Donghee Yoon||Joyce Hong
|-
|Sanghee An||Subin Kim||Seohyeon Jang
|-
|Rosaline Lee||Youn Changnoh||Eunchae Bae
|-
|Joeun Moon||Juseok Yoon||Suyeon Kim
|}
</div>
a22d7896ac5fd3452ff2fd7f5c3d64a820294285
1832
1814
2023-10-21T18:54:53Z
Hyobros
9
wikitext
text/x-wiki
== 2023==
<div>
{| class="wikitable" style="margin-left:0; margin-right:auto; border:2px solid; width:50%; float:left;"
| colspan="4" |<h3 style="text-align:center;">'''Staff''' </h3>
|-
| '''Project Directed''' by||Sujin Ri
|'''Project Managed''' by
|Juho Woo
|-
|'''Directing Assissted''' by||Jun Kim
Sooran Lee
Hyerim Park
Hyewon Min
|'''Program Coded''' by
| Moonhyuk Jang
Haejin Hwang
Sanghun Han
Jeonghun Jang
Kangwoo Jung
|-
|'''Art Illustrated''' by||Yujin Kang
Youngjoo You
|'''Scenario Written''' by
|Summer Yoon
Jooyoung Lim
|-
|'''Sound Resourced''' by||Jaeryeon Park
ROGIA
|'''Project Assisted''' by
|Heetae Lee
Gui Zhenghao
Jeongyeon Park
|-
|'''Communication with Users''' by||Soyeon Kim
Yeoreum Song
Jeny Kim
|'''Language Localized''' by
|Minkyung Chi
|-
|'''BGM Composed''' by||Flaming Heart
ROGIA
|'''Voice Acted''' by
|Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
<div style="margin-left:auto; margin-right:0; width:48%; float:right;">
{| class="wikitable" cellpadding="10"
! colspan="3" |<h3 style="text-align:center;">'''Special Thanks''' </h3>
|-
|Minsoon Park||Nalee Yoo||Heinrich Dortmann
|-
|Eunchong Jang||Jihyun Seo||Jinseo Park
|-
|Lilly Hwang ||Minjung Kim ||Saerom Shin
|-
|Youngran Moon||Kukhwa Park||Myungjun Choi
|-
|Seungjin Lee|| Wang Kkung Kki||Wonbok Lee
|-
|Youngkwon Jeon||Ilbo Sim||Jihyeon Choi
|-
|Minji Kim||Mirae Kang||Yura Lee
|-
|Songhee Kim||Pilhwa Hong||Saenanseul Kim
|-
|Sorim Byeon||Donghee Yoon|| Joyce Hong
|-
|Sanghee An|| Subin Kim||Seohyeon Jang
|-
|Rosaline Lee||Youn Changnoh||Eunchae Bae
|-
|Joeun Moon||Juseok Yoon||Suyeon Kim
|}
</div>
</div>
<div style="margin-top:20px;float:left">
==2019==
According to the lyric booklet that was released with PIU-PIU's love bundle, the staff working on The Ssum at the time were as follows.
{| class="wikitable"
|-
! colspan="2" |
===Staff Credits===
|-
|'''Project Directed''' by||Sujin Ri
|-
|'''Project Managed''' by||Heinrich Dortmann
|-
|'''Directing Assisted''' by||Eunchang Jang<br>Jihyun Seo
|-
|'''Scenario Written''' by||Jinseo Park - Lilly Hwang - Minjung Kim
Saerom Shin - Summer Yoon - Youngran Moon
|-
|'''Program Coded''' by||Gunsoo Lee - Kukhwa Park - Moonhyuk Jang - Myungjun Choi
Seungjin Lee - Wonbok Lee - Youngwon Jeon
|-
|'''Art Illustrated''' by
|Ilbo Sim
Jihyeon Choi
Minji Kim
Mirae Kang
Youngjoo You
Yura Lee
|-
|'''Sound Resourced''' by||Songhee Kim
|-
|'''Language Localized''' by||Minkyung Chi
Pilhwa Hong
Saenanseul Kim
Sorim Byeon
|-
|'''Communication with Users''' by||Donghee Yoon
Joyce Hong
Sanghee An
Subin Kim
|-
|'''Project Assisted''' by||Heetae Lee
Junghee Choi
|-
|'''BGMs Composed''' by||Flaming Heart
|-
|'''Teo Voice Acted''' by||Seunghoon Seok
|-
|'''Special Thanks''' to||KOCCA
Minsoon Park
Nalee Yoo
|}
</div>
78c56ea61f0546db0232128ba8fce0cea8cd2f34
1846
1832
2023-10-27T20:41:09Z
Hyobros
9
wikitext
text/x-wiki
== (Most recent) 27 October 2023 ==
{| class="wikitable"
|+
! colspan="4" |
=== '''Staff''' ===
|-
|'''Project Directed''' by
|Sujin Ri
|'''Project Managed''' by
|Juho Woo
|-
|'''Directing Assisted''' by
|Sooran Lee
|'''Program Coded''' by
|Moonhyuk Jang
Haejin Hwang
Jeonghun Jang
|-
|'''Art Illustrated''' by
|Hwagyeon
Sangmi Woo
Laeun Seo
Bomi Kim
|'''Scenario Written''' by
|Summer Yoon
|-
|'''Project Assisted''' by
|Heetae Lee
Gui Zhenghao
|'''Communication with Users''' by
|Soyeon Kim
Jeny Kim
|-
|'''Language Localized''' by
|Hyewon Kim
|'''BGM composed''' by
|ROGIA
|}
== 2023==
<div>
{| class="wikitable" style="margin-left:0; margin-right:auto; border:2px solid; width:50%; float:left;"
| colspan="4" |<h3 style="text-align:center;">'''Staff''' </h3>
|-
| '''Project Directed''' by||Sujin Ri
|'''Project Managed''' by
|Juho Woo
|-
|'''Directing Assissted''' by||Jun Kim
Sooran Lee
Hyerim Park
Hyewon Min
|'''Program Coded''' by
| Moonhyuk Jang
Haejin Hwang
Sanghun Han
Jeonghun Jang
Kangwoo Jung
|-
|'''Art Illustrated''' by||Yujin Kang
Youngjoo You
|'''Scenario Written''' by
|Summer Yoon
Jooyoung Lim
|-
|'''Sound Resourced''' by||Jaeryeon Park
ROGIA
|'''Project Assisted''' by
|Heetae Lee
Gui Zhenghao
Jeongyeon Park
|-
|'''Communication with Users''' by||Soyeon Kim
Yeoreum Song
Jeny Kim
|'''Language Localized''' by
|Minkyung Chi
|-
|'''BGM Composed''' by||Flaming Heart
ROGIA
|'''Voice Acted''' by
|Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
<div style="margin-left:auto; margin-right:0; width:48%; float:right;">
{| class="wikitable" cellpadding="10"
! colspan="3" |<h3 style="text-align:center;">'''Special Thanks''' </h3>
|-
|Minsoon Park||Nalee Yoo||Heinrich Dortmann
|-
|Eunchong Jang||Jihyun Seo||Jinseo Park
|-
|Lilly Hwang ||Minjung Kim ||Saerom Shin
|-
|Youngran Moon||Kukhwa Park||Myungjun Choi
|-
|Seungjin Lee|| Wang Kkung Kki||Wonbok Lee
|-
|Youngkwon Jeon||Ilbo Sim||Jihyeon Choi
|-
|Minji Kim||Mirae Kang||Yura Lee
|-
|Songhee Kim||Pilhwa Hong||Saenanseul Kim
|-
|Sorim Byeon||Donghee Yoon|| Joyce Hong
|-
|Sanghee An|| Subin Kim||Seohyeon Jang
|-
|Rosaline Lee||Youn Changnoh||Eunchae Bae
|-
|Joeun Moon||Juseok Yoon||Suyeon Kim
|}
</div>
</div>
<div style="margin-top:20px;float:left">
==2019==
According to the lyric booklet that was released with PIU-PIU's love bundle, the staff working on The Ssum at the time were as follows.
{| class="wikitable"
|-
! colspan="2" |
===Staff Credits===
|-
|'''Project Directed''' by||Sujin Ri
|-
|'''Project Managed''' by||Heinrich Dortmann
|-
|'''Directing Assisted''' by||Eunchang Jang<br>Jihyun Seo
|-
|'''Scenario Written''' by||Jinseo Park - Lilly Hwang - Minjung Kim
Saerom Shin - Summer Yoon - Youngran Moon
|-
|'''Program Coded''' by||Gunsoo Lee - Kukhwa Park - Moonhyuk Jang - Myungjun Choi
Seungjin Lee - Wonbok Lee - Youngwon Jeon
|-
|'''Art Illustrated''' by
|Ilbo Sim
Jihyeon Choi
Minji Kim
Mirae Kang
Youngjoo You
Yura Lee
|-
|'''Sound Resourced''' by||Songhee Kim
|-
|'''Language Localized''' by||Minkyung Chi
Pilhwa Hong
Saenanseul Kim
Sorim Byeon
|-
|'''Communication with Users''' by||Donghee Yoon
Joyce Hong
Sanghee An
Subin Kim
|-
|'''Project Assisted''' by||Heetae Lee
Junghee Choi
|-
|'''BGMs Composed''' by||Flaming Heart
|-
|'''Teo Voice Acted''' by||Seunghoon Seok
|-
|'''Special Thanks''' to||KOCCA
Minsoon Park
Nalee Yoo
|}
</div>
749ce854f68c53279ceae8458cf427913ef03f8c
1847
1846
2023-10-27T20:47:59Z
Hyobros
9
wikitext
text/x-wiki
== (Most recent) 27 October 2023 ==
{| class="wikitable"
|+
! colspan="4" |
=== '''Staff''' ===
|-
|'''Project Directed''' by
|Sujin Ri
|'''Project Managed''' by
|Juho Woo
|-
|'''Directing Assisted''' by
|Sooran Lee
|'''Program Coded''' by
|Moonhyuk Jang
Haejin Hwang
Jeonghun Jang
|-
|'''Art Illustrated''' by
|Hwagyeon
Sangmi Woo
Laeun Seo
Bomi Kim
|'''Scenario Written''' by
|Summer Yoon
|-
|'''Project Assisted''' by
|Heetae Lee
Gui Zhenghao
|'''Communication with Users''' by
|Soyeon Kim
Jeny Kim
|-
|'''Language Localized''' by
|Hyewon Kim
|'''BGM composed''' by
|ROGIA
|}
== 2023==
<div>
{| class="wikitable" style="margin-left:0; margin-right:auto; border:2px solid; width:50%; float:left;"
| colspan="4" |<h3 style="text-align:center;">'''Staff''' </h3>
|-
| '''Project Directed''' by||Sujin Ri
|'''Project Managed''' by
|Juho Woo
|-
|'''Directing Assissted''' by||Jun Kim
Sooran Lee
Hyerim Park
Hyewon Min
|'''Program Coded''' by
| Moonhyuk Jang
Haejin Hwang
Sanghun Han
Jeonghun Jang
Kangwoo Jung
|-
|'''Art Illustrated''' by||Yujin Kang
Youngjoo You
|'''Scenario Written''' by
|Summer Yoon
Jooyoung Lim
|-
|'''Sound Resourced''' by||Jaeryeon Park
ROGIA
|'''Project Assisted''' by
|Heetae Lee
Gui Zhenghao
Jeongyeon Park
|-
|'''Communication with Users''' by||Soyeon Kim
Yeoreum Song
Jeny Kim
|'''Language Localized''' by
|Minkyung Chi
|-
|'''BGM Composed''' by||Flaming Heart
ROGIA
|'''Voice Acted''' by
|Teo: Seunghoon Seok
Harry: Juwan Lim
June: Myeongjoon Kim
Henri: Euitaek Jeong
Extra: Dubbinggirl
|}
<div style="margin-left:auto; margin-right:0; width:48%; float:right;">
{| class="wikitable" cellpadding="10"
! colspan="3" |<h3 style="text-align:center;">'''Special Thanks''' </h3>
|-
|Minsoon Park||Nalee Yoo||Heinrich Dortmann
|-
|Eunchong Jang||Jihyun Seo||Jinseo Park
|-
|Lilly Hwang ||Minjung Kim ||Saerom Shin
|-
|Youngran Moon||Kukhwa Park||Myungjun Choi
|-
|Seungjin Lee|| Wang Kkung Kki||Wonbok Lee
|-
|Youngkwon Jeon||Ilbo Sim||Jihyeon Choi
|-
|Minji Kim||Mirae Kang||Yura Lee
|-
|Songhee Kim||Pilhwa Hong||Saenanseul Kim
|-
|Sorim Byeon||Donghee Yoon|| Joyce Hong
|-
|Sanghee An|| Subin Kim||Seohyeon Jang
|-
|Rosaline Lee||Youn Changnoh||Eunchae Bae
|-
|Joeun Moon||Juseok Yoon||Suyeon Kim
|}
</div>
</div>
<div style="margin-top:20px;float:left">
==2019==
According to the lyric booklet that was released with PIU-PIU's love bundle, the staff working on The Ssum at the time were as follows.
{| class="wikitable"
|-
! colspan="2" |
===Staff Credits===
|-
|'''Project Directed''' by||Sujin Ri
|-
|'''Project Managed''' by||Heinrich Dortmann
|-
|'''Directing Assisted''' by||Eunchang Jang<br>Jihyun Seo
|-
|'''Scenario Written''' by||Jinseo Park - Lilly Hwang - Minjung Kim
Saerom Shin - Summer Yoon - Youngran Moon
|-
|'''Program Coded''' by||Gunsoo Lee - Kukhwa Park - Moonhyuk Jang - Myungjun Choi
Seungjin Lee - Wonbok Lee - Youngwon Jeon
|-
|'''Art Illustrated''' by
|Ilbo Sim
Jihyeon Choi
Minji Kim
Mirae Kang
Youngjoo You
Yura Lee
|-
|'''Sound Resourced''' by||Songhee Kim
|-
|'''Language Localized''' by||Minkyung Chi
Pilhwa Hong
Saenanseul Kim
Sorim Byeon
|-
|'''Communication with Users''' by||Donghee Yoon
Joyce Hong
Sanghee An
Subin Kim
|-
|'''Project Assisted''' by||Heetae Lee
Junghee Choi
|-
|'''BGMs Composed''' by||Flaming Heart
|-
|'''Teo Voice Acted''' by||Seunghoon Seok
|-
|'''Special Thanks''' to||KOCCA
Minsoon Park
Nalee Yoo
|}
</div>
8238883f2a774b542bdf24421fdc0a7ea87aca4d
Cheritz
0
105
1811
356
2023-10-20T03:57:52Z
Hyobros
9
wikitext
text/x-wiki
{{WorkInProgress}}
__TOC__
{|class="infobox" style="width:30%; background:#f8f9fa; text-align:center; font-size:95%; font-family:arial;float:right;"
|-
|colspan=2|Cheritz<br>'''"Sweet Solutions for Female Gamers"'''
|-
|colspan=2|[[File:Cheritz_logo.png|180px|center]]
|-
|Created || February 2012
|-
|Employee<br>count||24
|-
|colspan=2|[http://www.cheritz.com Official Website]
|}
Cheritz is the company behind [[The Ssum: Forbidden Lab]]. Their catchphrase is ''"Sweet Solutions for Female Gamers"''.
They were founded in February 2012.
== Released Games ==
* August 27, 2012<ref name="Dandelion Information Page - Cheritz">[http://www.cheritz.com/games/dandelion "Dandelion" - Cheritz ]</ref> - Dandelion - Wishes brought to you -
* November 11, 2013 - <ref name="Nameless Information Page - Cheritz">[http://www.cheritz.com/games/nameless "Nameless" - Cheritz ]</ref> - Nameless ~ The one thing you must recall ~
* July 9, 2016<ref name="Mystic Messenger Information Page - Cheritz">[http://www.cheritz.com/games/mystic-messenger "Mystic Messenger" - Cheritz ]</ref> - Mystic Messenger
* August 17, 2022<ref name="SsumInfo">[https://cheritzteam.tumblr.com/post/691546733229031424/the-ssum-forbidden-lab-notice-on-the-ssum <nowiki>Notice on <The Ssum: Forbidden Lab> Official Launch Date and Promotion Video Release</nowiki>]</ref> - The Ssum: Forbidden Lab
== History ==
Specific staff credits for The Ssum can be found [[Game Credits|here]].
== References ==
86f63b0956943bd1bcc33d987cb0d0f2d5919a8f
File:VanasHarryDescription.jpg
6
1009
1815
2023-10-21T01:55:04Z
MintTree
17
wikitext
text/x-wiki
VanasHarryDescription
e7c9641f0677e78a716287b610f4bfe1a5b581cb
Planets/Vanas
0
86
1816
930
2023-10-21T02:05:02Z
MintTree
17
/* Description */
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
{| class="wikitable"
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:VanasTeoDescription.png|200px|center|Vanas Description for Teo]]
|[[File:VanasHarryDescription.jpg|frameless|306x306px]]
|}
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
''Please save in this planet all the positive truth and negative truth about you.''<br>
''You are the only one that can see them.''<br>
''I wonder what kind of change you will go through as you learn about yourself.''<br>
''At Planet Vanas, you will get to come in contact with visions that portray your inner world and pose you questions on a continuous basis.''<br>
''Nurture your inner world through questions your visions bring you!''
<h4> About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
== Description ==
[[File:VanasHomeScreen.png|150px|right]]
This is the first seasonal planet you'll unlock on Teo's route. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.
On Harry's route, this is the eight planet you will encounter.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
==Visions==
{| class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within'''||[[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom'''||[[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment'''||[[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
| [[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage'''||[[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness'''||[[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
d003b2fc7a4834c7b37da6d133bf2aac0e17cbbd
1817
1816
2023-10-21T02:06:22Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Pleased to meet you! May I be your boyfriend?'''<br>⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:VanasTeoDescription.png|200px|center|Vanas Description for Teo]]
|[[File:VanasHarryDescription.jpg|frameless|306x306px]]
|}
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
''Please save in this planet all the positive truth and negative truth about you.''<br>
''You are the only one that can see them.''<br>
''I wonder what kind of change you will go through as you learn about yourself.''<br>
''At Planet Vanas, you will get to come in contact with visions that portray your inner world and pose you questions on a continuous basis.''<br>
''Nurture your inner world through questions your visions bring you!''
<h4> About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
== Description ==
[[File:VanasHomeScreen.png|150px|right]]
This is the first seasonal planet you'll unlock on Teo's route. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.
On Harry's route, this is the eight planet you will encounter.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
==Visions==
{| class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within'''||[[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom'''||[[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment'''||[[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
| [[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage'''||[[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness'''||[[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
f09f4863d86c7da81cfb190010ad0b1fcd42a51f
File:MewryHarryDescription.jpg
6
1010
1818
2023-10-21T02:22:39Z
MintTree
17
wikitext
text/x-wiki
MewryHarryDescription
ebf7b76ef33151f4dcbc9e568bde2dda0a75c836
Planets/Mewry
0
238
1819
1787
2023-10-21T02:23:45Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
== Introduction ==
[[File:MewryTeoDescription.png|200px|center]]
{| class="wikitable"
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:MewryTeoDescription.png|200px|center]]
|[[File:MewryHarryDescription.jpg|frameless|302x302px]]
|}
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route, titled '''My Boyfriend is a Celebrity'''. It lasts from days 30 to 59.
It is the fifth planet on Harry's route, lasting from day 101 to 127.
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''
|-
|style="font-size:95%;border-top:none" | Voting starts now!<br>A hundred aspiring musical actors have arrived!<br>And you will be Teo's producer!<br>How will you train your trainee?<br>Everything lies in your hands!
|}
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Bystander'''
|-
|style="font-size:95%;border-top:none" | Laughing out loud in joy.<br>Shedding tears of woes.<br>Confessing your wound.<br>I think you need courage for all of this.<br>So far I've been a bystander to such phenomena.<br>But now I want courage to start my own love.
|}
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
d35bb472fad7d44179f83bc651768c146a6603ac
1820
1819
2023-10-21T02:25:15Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:MewryTeoDescription.png|200px|center]]
|[[File:MewryHarryDescription.jpg|frameless|302x302px]]
|}
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route, titled '''My Boyfriend is a Celebrity'''. It lasts from days 30 to 59.
It is the fifth planet on Harry's route, lasting from day 101 to 127.
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''My Boyfriend is a Celebrity'''
|-
|style="font-size:95%;border-top:none" | Voting starts now!<br>A hundred aspiring musical actors have arrived!<br>And you will be Teo's producer!<br>How will you train your trainee?<br>Everything lies in your hands!
|}
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Bystander'''
|-
|style="font-size:95%;border-top:none" | Laughing out loud in joy.<br>Shedding tears of woes.<br>Confessing your wound.<br>I think you need courage for all of this.<br>So far I've been a bystander to such phenomena.<br>But now I want courage to start my own love.
|}
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
b0cdb5267799104b9b1cbc1f740e35dce2d9f2f6
1821
1820
2023-10-21T02:26:20Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:MewryTeoDescription.png|200px|center]]
|[[File:MewryHarryDescription.jpg|frameless|302x302px]]
|}
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
Mewry is the fifth planet on Harry's route, lasting from day 101 to 127.
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
588686e90a6ddb84d7014573f2618b7999cf9d61
1822
1821
2023-10-21T02:28:53Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:MewryTeoDescription.png|200px|center]]
|[[File:MewryHarryDescription.jpg|frameless|302x302px]]
|}
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
This is the fifth planet on Harry's route, lasting from day 101 to 127.
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
129b43dccd3161b8db4cc850968030082a63b9fc
Planets/Crotune
0
385
1823
848
2023-10-21T02:56:41Z
MintTree
17
wikitext
text/x-wiki
<Center>[[File:Crotune_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #efbf8f"
| style="border-bottom:none"|<span style="color: #160d04"> '''Dreams, Ideals, and Reality'''<br>⚠Transmission from planet Crotune
|-
|style="font-size:95%;border-top:none" | No matter how sweet it is, sometimes love cannot<br>contain its shape. For instance, love often crumbles<br>at the face of reality.<br>Hopefully your love will hold him steadfast.<br>So we are sending sweet yet bitter signal.
|}
== Introduction ==
{| class="wikitable"
!Teo's Planet Description
!Harry's Planet Description
|-
|
|
|}
<h4>About this planet</h4>
Oh no! Unexpected strife of heart is causing meltdown in Mt. Crotune!
e579c6f3f1fd54ea7236e0e77ee0c83cb69bd2e7
1826
1823
2023-10-21T03:04:08Z
MintTree
17
wikitext
text/x-wiki
<Center>[[File:Crotune_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #efbf8f"
| style="border-bottom:none"|<span style="color: #160d04"> '''Dreams, Ideals, and Reality'''<br>⚠Transmission from planet Crotune
|-
|style="font-size:95%;border-top:none" | No matter how sweet it is, sometimes love cannot<br>contain its shape. For instance, love often crumbles<br>at the face of reality.<br>Hopefully your love will hold him steadfast.<br>So we are sending sweet yet bitter signal.
|}
== Introduction ==
{| class="wikitable"
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:CrotuneTeoDescription.jpg|frameless|310x310px]]
|[[File:CrotuneHarryDescription.jpg|frameless|310x310px]]
|}
<h4>About this planet</h4>
Oh no! Unexpected strife of heart is causing meltdown in Mt. Crotune!
99425a95e53443bb2577693a5f38c7c3a94c3485
1827
1826
2023-10-21T03:04:57Z
MintTree
17
wikitext
text/x-wiki
<Center>[[File:Crotune_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #efbf8f"
| style="border-bottom:none"|<span style="color: #160d04"> '''Dreams, Ideals, and Reality'''<br>⚠Transmission from planet Crotune
|-
|style="font-size:95%;border-top:none" | No matter how sweet it is, sometimes love cannot<br>contain its shape. For instance, love often crumbles<br>at the face of reality.<br>Hopefully your love will hold him steadfast.<br>So we are sending sweet yet bitter signal.
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:CrotuneTeoDescription.jpg|frameless|310x310px]]
|[[File:CrotuneHarryDescription.jpg|frameless|310x310px]]
|}
<h4>About this planet</h4>
Oh no! Unexpected strife of heart is causing meltdown in Mt. Crotune!
24682e360f18b8793d8c883d928942df80acb835
File:CrotuneTeoDescription.jpg
6
1011
1824
2023-10-21T02:58:47Z
MintTree
17
wikitext
text/x-wiki
CrotuneTeoDescription
464764739d9afbd981a48f62666b9d510ffd6d72
File:CrotuneHarryDescription.jpg
6
1012
1825
2023-10-21T03:01:30Z
MintTree
17
wikitext
text/x-wiki
CrotuneHarryDescription
62ea0ae01b546b16004ab33fed138619cfffeced
File:CloudiTeoDescription.jpg
6
1013
1828
2023-10-21T03:41:48Z
MintTree
17
wikitext
text/x-wiki
CloudiTeoDescription
55747a8e738ef7549ea3ebbe04677876d6b6a091
File:CloudiHarryDescription.jpg
6
1014
1829
2023-10-21T03:43:27Z
MintTree
17
wikitext
text/x-wiki
CloudiHarryDescription
d9d55b8e3b2d4088db0b3c8ae0b30fdc10708c97
Planets/Cloudi
0
386
1830
1333
2023-10-21T03:44:43Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Cloudi_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #dbf4f0"
| style="border-bottom:none"|<span style="color: #4d8d95"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Cloudi
|-
|style="font-size:95%;border-top:none" | We can pick up a vast variety of signals from this planet.<br>The signals we are sending you from this planet are composed of <br>beautiful melodies of revolution by satellites making planetary orbits.<br>We hope this melody will make your heart feel lighter.<br><br>
<span style="color: #949494">[Dr. C, the lab director]</span>
|}
<h2>Introduction</h2>
{| class="wikitable"
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:CloudiTeoDescription.jpg|frameless|310x310px]]
|[[File:CloudiHarryDescription.jpg|frameless|310x310px]]
|}
''Are you experienced in one-on-one conversation? <span style="color: #84CFE7">Planet Cloudi</span> is home to <span style="color: #F47070">social networks</span>!
You can write your profile and find new friends.
It is not easy to find <span style="color: #84CFE7">a friend</span> you can perfectly get along with... But it is not impossible.
According to the statistics, you can meet at least <span style="color: #84CFE7">one good friend</span> if you try ten times on average!"
As long as you keep trying and defeat your shyness...
You might get to meet <span style="color=#84CFE7">a precious friend</span>
<span style="color=#F47070">other than [Love Interest]</span> with whom you could enjoy a cordial conversation.
So let us compose your profile right now!
<h4>About this planet</h4>
^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$
== Description ==
This is the fifth planet encountered on Teo's route.
On Harry's route, it's the first.
You create your profile once you enter the planet. This profile can be editied later by spending 20 Cloudi frequencies.
The first match for each day is free. If you want to pass the match, you must pay a single Cloudi frequency. Starting a new chat with another player costs 10 frequencies.
You can exchange messages with a maximum of 10 people.
== Aspects ==
{| class="wikitable" style=margin: auto;"
|-
| [[File:fire_aspect.png|250px]] || [[File:water_aspect.png|250px]] || [[File:wind_aspect.png|250px]] || [[File:earth_aspect.png|250px]]
|-
! Fire !! Water !! Wind !! Earth
|-
| style="width: 25%"| Those with <span style="color: #f47a7a">the aspect of fire</span> are highly imaginative, daring, and always ready for an erudite challenge. It would not be surprising to find them making huge achievements.
| style="width: 25%"| Those with <span style="color: #60b6ff">the aspect of water</span> are kind and gentle, making the atmosphere just as gentle as they are. Our world would be a much more heartless place without them.
| style="width: 25%"| Those with <span style="color: #7cd2ca">the aspect of wind</span> are creative, energetic, and free. No boundaries can stop them from engaging with people, often getting in the lead of the others with their charms.
| style="width: 25%"| Those with <span style="color: #ce9a80">the aspect of earth</span> are logical, realistic, and practical, doing their best to stay true to whatever they speak of. You can definitely count on them.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Main character || Supporting character at the back || Main character || Supporting character at the back
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
{| class="wikitable" style=margin: auto;"
| [[File:rock_aspect.png|250px]] || [[File:tree_aspect.png|250px]] || [[File:moon_aspect.png|250px]] || [[File:sun_aspect.png|250px]]
|-
! Rock !! Tree !! Moon !! Sun
|-
| style="width: 25%"| Those with <span style="color: #c9c9c9">the aspect of rock</span> are loyal. They wish to protect their beloved, and they can provide safe ground for those around them just with their presence. You will not regret making friends out of people with such aspect.
| style="width: 25%"| Those with <span style="color: #5fda43">the aspect of tree</span> are very attentive to people around them. Being social, they do not have to try to find themselves in the center of associations. They can make quite interesting leaders.
| style="width: 25%"| Those with <span style="color: #f3c422">the aspect of moon</span> may seem quiet, but they have mysterious charms hidden in waiting. And once you get to know them, you might learn they are quite innocent, unlike what they appear to be.
| style="width: 25%"| Those with <span style="color: #ff954f">the aspect of sun</span> are the sort that can view everything from where the rest cannot reach, like the sun itself, with gift of coordination of people or objects. And they do not hesitate to offer themselves for tasks that require toil.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Supporting character at the back || Main character || Supporting character at the back || Main character
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
15a2d8e6b2f09e41e9cf274294986f35e053e965
1831
1830
2023-10-21T03:45:53Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Cloudi_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #dbf4f0"
| style="border-bottom:none"|<span style="color: #4d8d95"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Cloudi
|-
|style="font-size:95%;border-top:none" | We can pick up a vast variety of signals from this planet.<br>The signals we are sending you from this planet are composed of <br>beautiful melodies of revolution by satellites making planetary orbits.<br>We hope this melody will make your heart feel lighter.<br><br>
<span style="color: #949494">[Dr. C, the lab director]</span>
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:CloudiTeoDescription.jpg|frameless|310x310px]]
|[[File:CloudiHarryDescription.jpg|frameless|310x310px]]
|}
''Are you experienced in one-on-one conversation? <span style="color: #84CFE7">Planet Cloudi</span> is home to <span style="color: #F47070">social networks</span>!
You can write your profile and find new friends.
It is not easy to find <span style="color: #84CFE7">a friend</span> you can perfectly get along with... But it is not impossible.
According to the statistics, you can meet at least <span style="color: #84CFE7">one good friend</span> if you try ten times on average!"
As long as you keep trying and defeat your shyness...
You might get to meet <span style="color=#84CFE7">a precious friend</span>
<span style="color=#F47070">other than [Love Interest]</span> with whom you could enjoy a cordial conversation.
So let us compose your profile right now!
<h4>About this planet</h4>
^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$
== Description ==
This is the fifth planet encountered on Teo's route.
On Harry's route, it's the first.
You create your profile once you enter the planet. This profile can be editied later by spending 20 Cloudi frequencies.
The first match for each day is free. If you want to pass the match, you must pay a single Cloudi frequency. Starting a new chat with another player costs 10 frequencies.
You can exchange messages with a maximum of 10 people.
== Aspects ==
{| class="wikitable" style=margin: auto;"
|-
| [[File:fire_aspect.png|250px]] || [[File:water_aspect.png|250px]] || [[File:wind_aspect.png|250px]] || [[File:earth_aspect.png|250px]]
|-
! Fire !! Water !! Wind !! Earth
|-
| style="width: 25%"| Those with <span style="color: #f47a7a">the aspect of fire</span> are highly imaginative, daring, and always ready for an erudite challenge. It would not be surprising to find them making huge achievements.
| style="width: 25%"| Those with <span style="color: #60b6ff">the aspect of water</span> are kind and gentle, making the atmosphere just as gentle as they are. Our world would be a much more heartless place without them.
| style="width: 25%"| Those with <span style="color: #7cd2ca">the aspect of wind</span> are creative, energetic, and free. No boundaries can stop them from engaging with people, often getting in the lead of the others with their charms.
| style="width: 25%"| Those with <span style="color: #ce9a80">the aspect of earth</span> are logical, realistic, and practical, doing their best to stay true to whatever they speak of. You can definitely count on them.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Main character || Supporting character at the back || Main character || Supporting character at the back
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
{| class="wikitable" style=margin: auto;"
| [[File:rock_aspect.png|250px]] || [[File:tree_aspect.png|250px]] || [[File:moon_aspect.png|250px]] || [[File:sun_aspect.png|250px]]
|-
! Rock !! Tree !! Moon !! Sun
|-
| style="width: 25%"| Those with <span style="color: #c9c9c9">the aspect of rock</span> are loyal. They wish to protect their beloved, and they can provide safe ground for those around them just with their presence. You will not regret making friends out of people with such aspect.
| style="width: 25%"| Those with <span style="color: #5fda43">the aspect of tree</span> are very attentive to people around them. Being social, they do not have to try to find themselves in the center of associations. They can make quite interesting leaders.
| style="width: 25%"| Those with <span style="color: #f3c422">the aspect of moon</span> may seem quiet, but they have mysterious charms hidden in waiting. And once you get to know them, you might learn they are quite innocent, unlike what they appear to be.
| style="width: 25%"| Those with <span style="color: #ff954f">the aspect of sun</span> are the sort that can view everything from where the rest cannot reach, like the sun itself, with gift of coordination of people or objects. And they do not hesitate to offer themselves for tasks that require toil.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Supporting character at the back || Main character || Supporting character at the back || Main character
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
0fa0bd2e1923d8ff5872c47198f5ae191c31ded3
File:BurnyTeoDescription.jpg
6
1015
1833
2023-10-21T19:59:02Z
MintTree
17
wikitext
text/x-wiki
BurnyTeoDescription
7fec703431e8776dabeba691a2cc4f9f0cfe9acc
File:BurnyHarryDescription.jpg
6
1016
1834
2023-10-21T19:59:43Z
MintTree
17
wikitext
text/x-wiki
BurnyHarryDescription
1a77d739ed31bc603d25e0eb2a38dcf559e84d22
Planets/Burny
0
407
1835
894
2023-10-21T20:01:31Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Burny_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #f51414"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Privilege to Like Something'''<br>⚠Transmission from planet Burny
|-
|style="font-size:95%;border-top:none" | Even at a place where everything has burned down,<br>a tiny flower will surely rise.<br>Even at a planet where almost everything is gone,<br>the sunlight will never fade.
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:BurnyTeoDescription.jpg]]
|[[File:BurnyHarryDescription.jpg|frameless|306x306px]]
|}
== Description ==
3d393623bcdc20f157cee8743febb586defb3b8a
1837
1835
2023-10-21T20:28:06Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Burny_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #f51414"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Privilege to Like Something'''<br>⚠Transmission from planet Burny
|-
|style="font-size:95%;border-top:none" | Even at a place where everything has burned down,<br>a tiny flower will surely rise.<br>Even at a planet where almost everything is gone,<br>the sunlight will never fade.
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:BurnyTeoDescription.jpg|306x306px]]
|[[File:BurnyHarryDescription.jpg|frameless|306x306px]]
|}
''To tell you the truth... I have once been crazy about mentally calculating binary numbers.''
''If you have something you were keenly passionate'' ''about, retrace your memories at Planet Burny.''
''Could you share 'a tip' on the memories and the subjects of your passion? It could be a great help to someone.''
''Additionally, if you happen to be looking for a new hobby, you could try searching the ashes of Planet Burny.''
''Your passion will serve as someone's passion...''
''And someone's passion will serve as your passion.''
''That is what life is about.''
==== About this Planet ====
Planet Burny has the most beautiful rings of shine I have ever seen.
== Description ==
This is the sixth planet encountered on Teo's route.
It's the second on Harry's.
On this planet, you can record you own burned thoughts for 10 Burny frequencies, or you can find others flames at Volcano Burny.
[[File:PlanetBurnyAshes.jpg|right|frameless|355x355px]]
After you write your thoughts, you choose the description of your idea.
Lastly, you write advice you would give on the topic before making your post.
On other people's posts, you can only read their advice by sending them Burny frequencies.
It will keep the 'ashes you have opened,' so you can view the posts you sent frequencies at any time.
626a6dc54a1b5e919053c28b3ec79564f2849cf8
1838
1837
2023-10-21T20:29:46Z
MintTree
17
wikitext
text/x-wiki
<center>[[File:Burny_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #f51414"
| style="border-bottom:none"|<span style="color: #4d0017"> '''Privilege to Like Something'''<br>⚠Transmission from planet Burny
|-
|style="font-size:95%;border-top:none" | Even at a place where everything has burned down,<br>a tiny flower will surely rise.<br>Even at a planet where almost everything is gone,<br>the sunlight will never fade.
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:BurnyTeoDescription.jpg|306x306px]]
|[[File:BurnyHarryDescription.jpg|frameless|306x306px]]
|}
''To tell you the truth... I have once been crazy about mentally calculating binary numbers.''
''If you have something you were keenly passionate'' ''about, retrace your memories at Planet Burny.''
''Could you share 'a tip' on the memories and the subjects of your passion? It could be a great help to someone.''
''Additionally, if you happen to be looking for a new hobby, you could try searching the ashes of Planet Burny.''
''Your passion will serve as someone's passion...''
''And someone's passion will serve as your passion.''
''That is what life is about.''
==== About this Planet ====
Planet Burny has the most beautiful rings of shine I have ever seen.
== Description ==
This is the sixth planet encountered on Teo's route.
It's the second on Harry's.
[[File:PlanetBurnyAshes.jpg|right|frameless|302x302px]]
On this planet, you can record you own burned thoughts for 10 Burny frequencies, or you can find others flames at Volcano Burny.
After you write your thoughts, you choose the description of your idea.
Lastly, you write advice you would give on the topic before making your post.
On other people's posts, you can only read their advice by sending them Burny frequencies.
It will keep the 'ashes you have opened,' so you can view the posts you sent frequencies to at any time.
4d4335bd75c939d4a37488ff2b43de9e77f66d49
File:PlanetBurnyAshes.jpg
6
1017
1836
2023-10-21T20:20:32Z
MintTree
17
wikitext
text/x-wiki
PlanetBurnyAshes
73ea2c5b9af4dfc5ba328d57a9c1f0d6f7d0b9a3
Characters
0
60
1839
1803
2023-10-21T22:31:07Z
Hyobros
9
added minor charas for june
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
| <div style="text-align:center;">[[File:June profile.png|400px|center|link=June]] [[June]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|
*[[Dr. Cus-Monsieur]]
*[[PIU-PIU]]
*[[PI-PI]]
*[[Player]]
*[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|-
! Teo's Route !! Harry's Route
!June's Route
|-
|[[Jay An]]||[[Big Guy]]
|[[Carolyn]]
|-
|[[Joseph Jung]]||[[Jiwoo]]
|[[Henri]]
|-
|[[Woojin]]||[[Tain Park]]
|
|-
|[[Yuri]] || [[Rachel]]
|
|-
|[[Doyoung Lee]] || [[Malong Jo]]
|
|-
|[[Minwoo Kim]] || [[Sarah Lee]]
|
|-
|[[Teo's Mother]] || [[Harry's Mother]]
|
|-
|[[Teo's Father]] || [[Harry's Father]]
|
|-
|[[Kiho Hong]] || [[James Yuhan]]
|
|-
|[[Juyoung]] || [[Terry Cheon]]
|
|-
|[[Noah]] || [[Harry's Piano Tutor]]
|
|}
2011b7de93d97f601124f9a166b282c07318bef0
1851
1839
2023-11-12T23:54:03Z
T.out
24
Added more minor characters' names for June
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
|<div style="text-align:center">[[File:Teo profile.png|400px|center|link=Teo]] [[Teo]]</div>
| <div style="text-align:center;">[[File:Harry Choi profile.png|400px|center|link=Harry Choi]] [[Harry Choi]]</div>
| <div style="text-align:center;">[[File:June profile.png|400px|center|link=June]] [[June]]</div>
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Love Interests
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|[[Dr. Cus-Monsieur]]
[[PIU-PIU]]
[[PI-PI]]
[[Player]]
[[Angel]]
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Major Characters
|}
{| class="wikitable" style="width:100%;border:2px solid rgba(0,0,0,0); text-align:center"
|+style="caption-side:top;border:2px solid rgba(0,0,0,0);font-size:20px;text-align:center;background:rgba(0,150,136,30%);font-family:Arial Black;" | Minor Characters
|-
! Teo's Route !! Harry's Route
!June's Route
|-
|[[Jay An]]||[[Big Guy]]
|[[Carolyn]]
|-
|[[Woojin]]||[[Tain Park]]
|[[Hyun-sik]]
|-
|[[Joseph Jung]]||[[Jiwoo]]
|[[Henri]]
|-
|[[Yuri]]|| [[Rachel]]
|[[Secretary Choi]]
|-
|[[Doyoung Lee]]|| [[Malong Jo]]
|[[Julia]]
|-
|[[Minwoo Kim]] || [[Sarah Lee]]
|
|-
|[[Teo's Mother]] || [[Harry's Mother]]
|
|-
|[[Teo's Father]] || [[Harry's Father]]
|
|-
|[[Kiho Hong]] || [[James Yuhan]]
|
|-
|[[Juyoung]] || [[Terry Cheon]]
|
|-
|[[Noah]] || [[Harry's Piano Tutor]]
|
|}
d35b1412dc76767ab5d41e578157aaeb17e46228
Teo/Gallery
0
245
1840
1779
2023-10-21T23:49:57Z
2601:2C5:C081:3EC0:A9A4:2A40:8358:B339
0
/* Bonus (Collected from Planet Pi) */
wikitext
text/x-wiki
Note: Due to the stylistic difference between Teo's Vanas pictures and the rest of his pictures, Cheritz has begun updating his pictures from Mewry bit by bit. When the updated versions are uploaded here, they will replace the original images. The originals will still be able to be viewed in their respective File History.
Certain Vanas pictures have also been updated for various reasons (such as more detailed backgrounds).
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Bonus (Collected from Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<div style="float:left">
===Pumpkin===
<gallery>
PiCgTeo(1).jpg
PiCgTeo(4).jpg
</gallery>
===Apple===
<gallery>
PiCgTeo(2).jpg
PiCgTeo(6).jpg
</gallery>
</div>
<div style="float:right">
===Cranberry===
<gallery>
PiCgTeo(7).jpg
PiCgTeo(5).jpg
</gallery>
===Cherry===
<gallery>
PiCgTeo(3).jpg
PiCgTeo(8).jpg
</gallery>
</div>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
ebfc01330c0fb2706e2ff99756b98c5f994cbf9b
1841
1840
2023-10-22T18:23:46Z
Hyobros
9
this is hell
wikitext
text/x-wiki
Note: Due to the stylistic difference between Teo's Vanas pictures and the rest of his pictures, Cheritz has begun updating his pictures from Mewry bit by bit. When the updated versions are uploaded here, they will replace the original images. The originals will still be able to be viewed in their respective File History.
Certain Vanas pictures have also been updated for various reasons (such as more detailed backgrounds).
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Teo Piu-Piu delay announcement.png
Teo launch date.jpg
Teo.png
</gallery>
</div>
== Vanas ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2 Days Since First Meeting Lunch Pictures(2).png|Day 2
2 Days Since First Meeting Dinner Pictures.png|Day 2
3 Days Since First Meeting Wake Time Pictures 01.png|Day 3
3 Days Since First Meeting Bedtime Pictures(1).png|Day 3
4 Days Since First Meeting Dinner Pictures.png|Day 4
5 Days Since First Meeting Dinner Pictures.png|Day 5
5 Days Since First Meeting Dinner Pictures(1).png|Day 5
5 Days Since First Meeting Dinner Pictures(3).png|Day 5
6 Days Since First Meeting Bedtime Pictures 1.png|Day 6
6 Days Since First Meeting Bedtime Pictures 2.png|Day 6
7 Days Since First Meeting Wake Time Pictures.png|Day 7
7 Days Since First Meeting Breakfast Pictures.png|Day 7
9 Days Since First Meeting Dinner Pictures(1).png|Day 9
9 Days Since First Meeting Dinner Pictures.png|Day 9
9 Days Since First Meeting Dinner Pictures(3).png|Day 9
12 Days Since First Meeting Wake Time Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(1).png|Day 12
12 Days Since First Meeting Lunch Pictures(2).png|Day 12
12 Days Since First Meeting Dinner Pictures(1).png|Day 12
13 Days Since First Meeting Wake Time Pictures(1).png|Day 13
13 Days Since First Meeting Wake Time Pictures.png|Day 13
13 Days Since First Meeting Breakfast Pictures.png|Day 13
14 Days Since First Meeting Wake Time Pictures.png|Day 14
14 Days Since First Meeting Breakfast Pictures.png|Day 14
15 Days Since First Meeting Wake Time Pictures.png|Day 15
15 Days Since First Meeting Bedtime Pictures.png|Day 15
16 Days Since First Meeting Breakfast Pictures.png|Day 16
16 Days Since First Meeting Dinner Pictures.png|Day 16
18 Days Since First Meeting Bedtime Pictures.png|Day 18
19 Days Since First Meeting Wake Time Pictures.png|Day 19
20 Days Since First Meeting Wake Time Pictures.png|Day 20
20 Days Since First Meeting Bedtime Pictures.png|Day 20
21 Days Since First Meeting Wake Time Pictures.png|Day 21
21 Days Since First Meeting Bedtime Pictures(1).png|Day 21
22 Days Since First Meeting Wake Time Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures.png|Day 22
22 Days Since First Meeting Lunch Pictures(1).png|Day 22
23 Days Since First Meeting Lunch Pictures(1).png|Day 23
24 Days Since First Meeting Wake Time Pictures.png|Day 24
24 Days Since First Meeting Breakfast Pictures.png|Day 24
24 Days Since First Meeting Lunch Pictures.png|Day 24
26 Days Since First Meeting Breakfast Pictures(1).png|Day 26
26 Days Since First Meeting Dinner Pictures.png|Day 26
27 Days Since First Meeting Bedtime Pictures.png|Day 27
27 Days Since First Meeting Breakfast Pictures.png|Day 27
28 Days Since First Meeting Breakfast Pictures.png|Day 28
</gallery>
</div>
== Mewry ==
<div class="mw-collapsible mw-collapsed">
<gallery>
30 Days Since First Meeting Lunch Pictures.png|Day 30
31 Days Since First Meeting Wake Time Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures.png|Day 31
31 Days Since First Meeting Lunch Pictures(1).png|Day 31
31 Days Since First Meeting Lunch Pictures(2).png|Day 31
31 Days Since First Meeting Lunch Pictures(3).png|Day 31
31 Days Since First Meeting Lunch Pictures(4).png|Day 31
32 Days Since First Meeting Lunch Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures.png|Day 32
32 Days Since First Meeting Dinner Pictures(2).png|Day 32
33 Days Since First Meeting Wake Time Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures.png|Day 33
33 Days Since First Meeting Lunch Pictures(1).png|Day 33
33 Days Since First Meeting Lunch Pictures(2).png|Day 33
33 Days Since First Meeting Dinner Pictures.png|Day 33
33 Days Since First Meeting Dinner Pictures(1).png|Day 33
34 Days Since First Meeting Wake Time Pictures.png|Day 34
34 Days Since First Meeting Wake Time Pictures(1).png|Day 34
34 Days Since First Meeting Breakfast Pictures.png|Day 34
34 Days Since First Meeting Dinner Pictures.png|Day 34
35 Days Since First Meeting Breakfast Pictures.png|Day 35
36 Days Since First Meeting Breakfast Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures.png|Day 36
36 Days Since First Meeting Lunch Pictures(1).png|Day 36
36 Days Since First Meeting Bedtime Pictures.png|Day 36
37 Days Since First Meeting Lunch Pictures.png|Day 37
37 Days Since First Meeting Bedtime Pictures(2).png|Day 37
38 Days Since First Meeting Breakfast Pictures.png|Day 38
38 Days Since First Meeting Breakfast Pictures(1).png|Day 38
39 Days Since First Meeting Wake Time Pictures.png|Day 39
39 Days Since First Meeting Wake Time Pictures(1).png|Day 39
39 Days Since First Meeting Lunch Pictures.png|Day 39
40 Days Since First Meeting Breakfast Pictures.png|Day 40
41 Days Since First Meeting Breakfast Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures.png|Day 41
41 Days Since First Meeting Lunch Pictures(1).png|Day 41
41 Days Since First Meeting Bedtime Pictures.png|Day 41
42 Days Since First Meeting Wake Time Pictures(1).png|Day 42
43 Days Since First Meeting Wake Time Pictures.png|Day 43
43 Days Since First Meeting Wake Time Pictures(1).png|Day 43
43 Days Since First Meeting Breakfast Pictures.png|Day 43
43 Days Since First Meeting Lunch Pictures.png
44 Days Since First Meeting Breakfast Pictures(1).png|Day 44
44 Days Since First Meeting Bedtime Pictures.png|Day 44
45 Days Since First Meeting Dinner Pictures.png|Day 45
45 Days Since First Meeting Dinner Pictures(1).png|Day 45
45 Days Since First Meeting Bedtime Pictures.png|Day 45
46 Days Since First Meeting Wake Time Pictures.png|Day 46
46 Days Since First Meeting Dinner Pictures.png|Day 46
49 Days Since First Meeting Bedtime Pictures.png|Day 49
49 Days Since First Meeting Bedtime Pictures(1).png|Day 49
49 Days Since First Meeting Bedtime Pictures(2).png|Day 49
49 Days Since First Meeting Bedtime Pictures(3).png|Day 49
49 Days Since First Meeting Bedtime Pictures(4).png|Day 49
50 Days Since First Meeting Breakfast Pictures.png|Day 50
50 Days Since First Meeting Breakfast Pictures(1).png|Day 50
50 Days Since First Meeting Breakfast Pictures(2).png|Day 50
56 Days Since First Meeting Wake Time Pictures.png|Day 56
56 Days Since First Meeting Breakfast Pictures.png|Day 56
57 Days Since First Meeting Bedtime Pictures.png|Day 57
</gallery>
</div>
== Crotune ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Tolup ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Cloudi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Burny ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Pi ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Momint ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
== Bonus (Collected from Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<div>
===Pumpkin===
<gallery>
PiCgTeo(1).jpg
PiCgTeo(4).jpg
</gallery>
===Apple===
<gallery>
PiCgTeo(2).jpg
PiCgTeo(6).jpg
</gallery>
</div>
<div>
===Cranberry===
<gallery>
PiCgTeo(7).jpg
PiCgTeo(5).jpg
</gallery>
===Cherry===
<gallery>
PiCgTeo(3).jpg
PiCgTeo(8).jpg
</gallery>
</div>
</div>
== BETA ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Example.jpg|Caption1
Example.jpg|Caption2
</gallery>
</div>
5350a5cfddcbfddc92d1d396244477d6f2a25b28
Daily Emotion Study
0
436
1842
1657
2023-10-22T19:03:47Z
Hyobros
9
added a june column and 2 of his answers
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (TEO)!! C1H2O3I4 (Harry)
!J1U2N3E4
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || || Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
398f28284ef3303b43e07bc49514131de16bd4a0
1843
1842
2023-10-25T01:37:19Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (TEO)!! C1H2O3I4 (Harry)
!J1U2N3E4
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
d705df45d430238be17b241cc4476a317b60f89d
1844
1843
2023-10-25T01:38:02Z
CHOEERI
16
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (TEO)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
95e54f4fb940bf8ab30504afd3fd0cec79d7de79
1848
1844
2023-11-12T02:51:59Z
T.out
24
Added June's answer to the Free Emotion Study under title "Turning Jealousy into Energy". Also changed S1U2M3M4 (TEO) to S1U2M3M4 (Teo).
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|-
| 10/31 || Logical || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|}
df809ae78a466472087daf8dec56ee8b92e90ede
1849
1848
2023-11-12T03:06:01Z
T.out
24
/* Special Studies */: added a column for June + June's response to the study "Tying Ribbon to the Candy Wrappers"
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || Innocent || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
c81db7349a79f7a89ccef9234abbe0821232f390
1850
1849
2023-11-12T03:15:03Z
T.out
24
Added June's response to the Free Emotion Study titled "Planting an Apple Tree"
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || || Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || || What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || || Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || || Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || || Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || Innocent || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || Logical || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || Logical || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
a2071ecac87f245769f49a59b05869ec4acccf0f
1852
1850
2023-11-13T01:36:15Z
T.out
24
Added more of June's responses
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || || Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
916728343f59cec07cfea1a066e17ea3306feccc
1859
1852
2023-11-14T07:32:01Z
T.out
24
Added June's response to "Experimenting Respiratory Meditation"
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || || What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
817bf00f4882ac34a32945c01d3bc20a8d9be74e
Malong Jo
0
391
1845
857
2023-10-25T20:37:44Z
Hollyhobby
21
Added information to most categories
wikitext
text/x-wiki
{{MinorCharacterInfo
|name= Malong Jo
|occupation=Perfumer
|hobbies=
|likes=Designer clothes, luxury goods, showing off his wealth
|dislikes=Being outside, physical labor, sweating, bugs
}}
== General ==
Malong Jo (also know as Nathan Jo) is a close friend of Harry's from boarding school, along with Tain Park. He is an aspiring perfumer who falls on hard times when his money runs dry after his father's perfume company goes bankrupt. He begins living with Harry and working at a convenience store.
Malong is depicted as having short brown hair and is short in stature and Harry said that he used to wear lifts in his shoes. He is of a slim, non-athletic build. He said that he can't gain muscles lest his elegant clothes no longer fit.
Malong is a very sociable person. He knows a lot of people and is very good at networking and negotiating deals. He can be rather shameless and cheeky, but is also very bad at lying. He tends to express his emotions loudly and dramatically.
== Background ==
Malong's family on his father's side owns a prestigious farm and rice cake company. His family fell apart after Malong's father stole a large sum of money from his grandpa in order to start his perfume business. Malong still has a relationship with his grandfather, but his father and grandfather are no longer on speaking terms.
His father's perfume company was successful for many years, allowing Malong to grow up in a privileged life. Prior to the events in Harry's route he was known for always wearing designed clothes, attending big parties, and driving nice cars. He was set up to be the heir to the perfume company until it went under.
Malong is close friends with Harry, Tain, and Rachel. He also dates Harry's neighbor, Audrey, for a few months. During this relationship, Malong tries to change himself a lot for his new girlfriend. He gets a stable job, joins her activism events, and moves out of Harry's penthouse apartment into a cramped, rural apartment. The relationship dissolves after Audrey tries to make it a throuple and bring in another man. This puts Malong into a slump for a time, but eventually reinvigorates him.
== Trivia ==
TBA
156c9b248c5d272a55d51d6aed24cde37b7d3674
Secretary Choi
0
1018
1853
2023-11-13T04:26:19Z
T.out
24
Added Secretary Choi's page + entered some info
wikitext
text/x-wiki
{{MinorCharacterInfo|name=Secretary Choi|occupation=Chairman Han's secretary at C&R}}
== General ==
Secretary Choi (full name Young-hee Choi) works at the company C&R as Chairman Han's secretary.<ref>Day 9 [Cherry Farm Healing Center]</ref> She has been working as his secretary for six months.<ref>Day 23 [Unwanted Revenge]</ref>
She has dark brown hair and eyes, and is usually seen with her hair tied down in a short, low ponytail.
== Background ==
On Day 23 [Unwanted Revenge] in June's route during lunch, it was revealed that Secretary Choi was the culprit behind the leaked articles. She refutes that she thought what's best for the Chairman, and that [[Carolyn]] was using him to re-enter the social circle and take an important diplomatic position at C&R. When June asks her if she likes the Chairman, she said she loves him and that he has a special place.
Then on Day 24 [A Day of Getting Caught Up] during lunch, she comes to June as a last resort to C&R suing her because of the articles. She pleads to June for help and provides him an envelope filled with money in return, but June refuses. She was then kicked out of June's room by [[Henri]] once he appeared.
== Citations ==
<references />
7b1e4d5eba3cbb5eabdf6dd469f2d704bd88b99e
1854
1853
2023-11-13T04:31:20Z
T.out
24
wikitext
text/x-wiki
{{MinorCharacterInfo
|name=Secretary Choi
|occupation=Chairman Han's secretary at C&R
|hobbies=
|likes=
|dislikes=
}}
== General ==
Secretary Choi (full name Young-hee Choi) works at the company C&R as Chairman Han's secretary.<ref>Day 9 [Cherry Farm Healing Center]</ref> She has been working as his secretary for six months.<ref>Day 23 [Unwanted Revenge]</ref>
She has dark brown hair and eyes, and is usually seen with her hair tied down in a short, low ponytail.
== Background ==
On Day 23 [Unwanted Revenge] in June's route during lunch, it was revealed that Secretary Choi was the culprit behind the leaked articles. She refutes that she thought what's best for the Chairman, and that [[Carolyn]] was using him to re-enter the social circle and take an important diplomatic position at C&R. When June asks her if she likes the Chairman, she said she loves him and that he has a special place.
Then on Day 24 [A Day of Getting Caught Up] during lunch, she comes to June as a last resort to C&R suing her because of the articles. She pleads to June for help and provides him an envelope filled with money in return, but June refuses. She was then kicked out of June's room by [[Henri]] once he appeared.
== Citations ==
<references />
fcf09e371327b112603a1fe64bece0c9a3ba9024
June
0
1005
1855
1808
2023-11-14T05:27:31Z
T.out
24
/* Trivia */ Added one trivia for June
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
*June has posted on the Forbidden Lab before.
a919fb6eedcdb9b5d793f9172e3a5e7f30f56fb6
1856
1855
2023-11-14T05:39:05Z
T.out
24
Undo revision 1855 by [[Special:Contributions/T.out|T.out]] ([[User talk:T.out|talk]])
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
920b41b9251e6724835fbc7c82c40af85d475851
Teo
0
3
1857
1789
2023-11-14T06:10:11Z
T.out
24
/* Trivia */ Added more trivia for Teo
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
On occasion he will talk about his close circle of friends, which includes [[Jay]], [[Minwoo]], [[Doyoung]], and [[Kiho]]. He met them during university since they all were in classes for filmmaking, and they kept in touch ever since.
===Beta===
Teo was the only character featured in The Ssum beta release in 2018. His design was strikingly different from the official release of the game. This version of the game only went up to day 14, when Teo confessed to the player. This version of the game also had a different opening video than the official release, with not only a completely different animation but also using a song titled ''Just Perhaps if Maybe''.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Route ==
=== Vanas ===
Takes place from day 1 to day 29. This seasonal planet focuses on getting to know Teo, why he has The Ssum, and what his life is usually like.
==== Day 14 Confession ====
On day 14 during the bedtime chat, Teo confesses to the player.
=== Mewry ===
Takes place from day 30 to day 60.
=== Crotune ===
Takes place from day 61 to day 87.
=== Tolup ===
Takes place from day 88 to day 100.
=== Cloudi ===
Day 101 to 125
=== Burny ===
Day 126 to 154
=== Pi ===
Day 155 to 177
=== Momint ===
Day 178 to day 200
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* The muscle mass percentage and body fat percentage of Teo is 40.1 and 10.2 each.
* Did you know that Teo used to be very angsty during his adolescence?
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
* Teo’s piercing collection can fill an entire wall.
* Teo tends to have a cold shower when he is tired.
* One thing that Teo wants to hide the most is the grades he got for math.
* Teo is more shy than he looks.
* The selfies of Teo that he believes to be good tend to be bad selfies.
* Teo has been using the same username for every website since elementary school.
3d4ff27a0b37ff933fdc461e3e831434eec59c19
Harry Choi
0
4
1858
1694
2023-11-14T06:21:17Z
T.out
24
/* Trivia */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi ===
=== Burny ===
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi ===
=== Momint ===
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he says it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
=== Mewry ===
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas, since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
89b65f1c30ccc582dd1010fa42f5f7c161d680ca
Energy/Logical Energy
0
11
1860
910
2023-11-14T07:50:27Z
T.out
24
Added energy day info for Logical
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-30, 2022
|description=The more logical you get, the better you will be in making arguments. So make use of this day to let your arguments unfold.
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.}}
{{DailyEnergyInfo
|energyName=Logical
|date=11-14, 2023
|description=Logics make humans stronger, but at the same time they can weaken your ability to embrace someone different from you.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
|} </center>
== Associated Planet ==
[[Planet/Archive of Terran Info|Archive of Terran Info]]
== Gifts ==
* Massage Chair
* 4K Monitor
* A Box of Snacks
[[Category:Energy]]
1dca84536ab95c128b3a29f51d31528a38e0c290
1861
1860
2023-11-14T08:07:00Z
T.out
24
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Logical
|description=This energy is <span style="color:#67A6C7">logical</span> and <span style="color:#67A6C7">smart</span>. It worships 5W1H, which is why it is drawn to <span style="color:#67A6C7">energy of reason</span>. This energy is used as data on a planet that collects <span style="color:#67A6C7">every information in the universe</span>.
|energyColor=#67A6C7}}
This energy can be used to generate emotions and gifts in the [[Incubator]].
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Logical
|date=8-19, 2022
|description=Why not share a small tip you have with someone?
|energyColor=#67A6C7
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-25, 2022
|description=The power of logics is strong today. Let us observe as much as we can and apply this energy to a variety of things.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
{{DailyEnergyInfo
|energyName=Logical
|date=8-30, 2022
|description=The more logical you get, the better you will be in making arguments. So make use of this day to let your arguments unfold.
|cusMessage=Today we are analyzing logics from lab participants logged in to The Ssum from all over the world.}}
{{DailyEnergyInfo
|energyName=Logical
|date=11-13, 2023
|description=Logics make humans stronger, but at the same time they can weaken your ability to embrace someone different from you.
|energyColor=#67A6C7
|cusMessage=I am looking forward to what you can do with fiery heart and cool head...
}}
|}
== Associated Planet ==
[[Planet/Archive of Terran Info|Archive of Terran Info]]
== Gifts ==
* Massage Chair
* 4K Monitor
* A Box of Snacks
[[Category:Energy]]
e75c0183694e80083acfb60dfadab307e1429533
Daily Emotion Study
0
436
1862
1859
2023-11-15T06:02:10Z
T.out
24
Added one June's response
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || || Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
ccccf81a832065943189a0acd35533be1adcb821
1863
1862
2023-11-15T21:12:06Z
T.out
24
Added June's response to "Investigating Personal Happiness"
wikitext
text/x-wiki
''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.
Believe in your own potential!''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight.''
This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
ea71b37f18f0f3b7f4aa027b9034eb160e734d78
1864
1863
2023-11-15T21:19:33Z
T.out
24
Edited description, based on [Free Emotion Study] Guide
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || || Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
e4cf50642765850c0f82a770db2a588bc1820bc4
1867
1864
2023-11-17T04:26:58Z
T.out
24
Added one June's response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
faba8487801dede77f3012a3ef674713e5c13c2d
1869
1867
2023-11-18T06:05:46Z
T.out
24
Added one June's response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
75c391479d2ee9f784b35701f93b8e3e171db1a0
1872
1869
2023-11-19T00:57:15Z
T.out
24
Added one June's response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || || Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
3a7aef662b143d7c927ac543be326427d37fd59f
1873
1872
2023-11-19T22:20:38Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
be50b13670b12e08be3fda540b521ed3edeae0b2
1874
1873
2023-11-21T06:00:11Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|If I had to save money, it would never be to be better than others... I would save for a good cause.
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
50a66d02bc4124f343ab0f9e2836496c5892a77e
1875
1874
2023-11-21T20:22:30Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|I imagine and draw my own version of heaven in a corner of my head, and I visit it! In heaven, I'm not sick, and I'm set up as a person with no problems.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || || Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|If I had to save money, it would never be to be better than others... I would save for a good cause.
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
c5cc61f12408fd57fdec7afd3891da181336f827
1878
1875
2023-11-23T02:04:11Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|I imagine and draw my own version of heaven in a corner of my head, and I visit it! In heaven, I'm not sick, and I'm set up as a person with no problems.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || Peaceful|| Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|My perfect match who is love itself...♥ Thank you for listening to me and being with me from morning till night. I'll be with you till the day my Piu piu gets rusty and malfunctions♥♥♥
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|If I had to save money, it would never be to be better than others... I would save for a good cause.
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
6ea83f6f5257a47829eb8453bbaae93623ca7cbf
1900
1878
2023-11-23T21:11:42Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|I imagine and draw my own version of heaven in a corner of my head, and I visit it! In heaven, I'm not sick, and I'm set up as a person with no problems.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || Peaceful|| Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|My perfect match who is love itself...♥ Thank you for listening to me and being with me from morning till night. I'll be with you till the day my Piu piu gets rusty and malfunctions♥♥♥
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|I donated all my pocket money to the Leukemia Foundation... I was going through a very depressing time, and I was living with the thought that I might die at any moment. But after the donation, my physical condition improved and I felt better.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|If I had to save money, it would never be to be better than others... I would save for a good cause.
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
a40c75197600e315c775a72c5fd016e676f7104b
Energy/Jolly Energy
0
9
1865
913
2023-11-15T21:36:21Z
T.out
24
Added a energy day info for Jolly
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Jolly
|date=8-20, 2022
|description=This energy is being emitted from a digital comedy video that features a comedian pulling a show of multiple characters.
|energyColor=#F1A977
|cusMessage=A jolly joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}} </center>
{{DailyEnergyInfo
|energyName=Jolly
|date=10-18, 2022
|description=Someone with jolly energy said 'It's not easy to make people laugh. Remember - don't think too hard!'
|energyColor=#F1A977
|cusMessage=Today we are giving priority to study data from funniest to lamest.
}}
{{DailyEnergyInfo
|energyName=Jolly
|date=11-15, 2023
|description=This is a wish from jolly energy.<br />‘Hopefully we all can be jolly and free of concerns...’<br />‘Hopefully days full of laughter draw near...’
|cusMessage=A jolly joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}}
|}
== Associated Planet ==
[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]
== Gifts ==
* Stage Microphone
* Tip
* Marble Nameplate
[[Category:Energy]]
013aa8e11f330c65332da9d889bf44ebc057dd77
1868
1865
2023-11-17T04:36:08Z
T.out
24
Added for Jolly
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Jolly
|description=This energy is as <span style="color:#F6CC54">jolly</span> as it can be! It is drawn to <span style="color:#F6CC54">laughter</span>, so you can gain it from cheerful atmosphere. It is said you can hear <span style="color:#F6CC54">laughter</span> from a certain planet given that this energy is in your possession.
|energyColor=#F6CC54}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
|<center> {{DailyEnergyInfo
|energyName=Jolly
|date=8-20, 2022
|description=This energy is being emitted from a digital comedy video that features a comedian pulling a show of multiple characters.
|energyColor=#F1A977
|cusMessage=A jolly joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}} </center>
{{DailyEnergyInfo
|energyName=Jolly
|date=10-18, 2022
|description=Someone with jolly energy said 'It's not easy to make people laugh. Remember - don't think too hard!'
|energyColor=#F1A977
|cusMessage=Today we are giving priority to study data from funniest to lamest.
}}
{{DailyEnergyInfo
|energyName=Jolly
|date=11-15, 2023
|description=This is a wish from jolly energy.<br />‘Hopefully we all can be jolly and free of concerns...’<br />‘Hopefully days full of laughter draw near...’
|cusMessage=A jolly joke can serve as a light of the day. I hope you would keep your heart sunny for the duration of your study...
}}
{{DailyEnergyInfo
|energyName=Jolly
|date=11-16, 2023
|description=Would you allow me or %% to make you laugh today?
|cusMessage=Jolly people can naturally pull off silly jokes and feel catharsis through them.
}}
|}
== Associated Planet ==
[[Planet/Mountains of Wandering Humor|Mountains of Wandering Humor]]
== Gifts ==
* Stage Microphone
* Tip
* Marble Nameplate
[[Category:Energy]]
f0ca9e6f41087d921e416245a61e28407bb421e9
Template:DailyEnergyInfo
10
18
1866
240
2023-11-15T21:41:58Z
T.out
24
Added to Category:Templates
wikitext
text/x-wiki
<includeonly>{| class="wikitable" style="width:40%;font-family:Arial;margin-left:auto;margin-right:auto"
!colspan="2", style="border:2px solid rgba(0,0,0,0);"|<span style="font-size:15px">Energy info for {{{date}}}</span><br><span style="font-size:12px">Welcome! Today is <span style="color:{{EnergyColor|{{{energyName}}}}};">'''''{{{energyName}}} day</span>.'''''</span>
|-
|rowspan="3", style="text-align:center;border:4px solid rgba(0,0,0,0);"z|[[File:{{{energyName}}}_Energy.png|100px]]
|style="text-align:center;border:2px solid rgba(0,0,0,0);"| <span style="color:{{EnergyColor|{{{energyName}}}}}">'''{{{energyName}}} Energy'''</span>
|-
|style="text-align:center;font-family:Comic Sans Ms;background:#FDDC92;color:#4F4F4F;border:2px dashed rgba(0,0,0,0);"|{{{description}}}
|-
|+style="caption-side:bottom;border:2px solid rgba(0,0,0,0);font-size:14px;text-align:center;background:#F2E2D5;font-family:Arial;"|{{{cusMessage}}}<br><div style="text-align:right;">- Dr. Cus-Monsieur</div>
|}
</includeonly>
<noinclude>
{{DailyEnergyInfo
|energyName=Passionate
|date=2-07, 2014
|description=That day feels very passionate.
|cusMessage=Some Dramatic Stars might've been born...?
}}
==How to use the template==
<pre>
{{DailyEnergyInfo
|energyName=
|date=
|description=
|cusMessage=
}}
</pre>
[[Category:Templates]]
</noinclude>
c1c86af9f796437adfdd184e2fb4f957c4e1f821
Trivial Features/Trivial
0
88
1870
1778
2023-11-19T00:27:31Z
T.out
24
/* Trivials from Chats and Calls */ Added a table for June's trivials + a trivial from June (will add icon later)
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || x2 Passionate Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || x1 Battery<br>x2 Logical Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || x1 Battery<br>x2 Galactic Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |June
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| ||"Answer To Love Feature" || Acquired by saying I love you back and forth! || Thanks to your conversations, feelings of love are multiplying infinitely! The love between the two of you will fill the earth and even the universe. || If I could use the love between the two of you in the incubator, I do not think I would ever run out of ingredients. || x2 Jolly Energy || Day 30 [Take to the Skies], lunch incoming video call titled "Somewhere between faith and leaping"
Choose option "I love you too."
|}
d08140982165c267a0f9908dbb5a80030cb5ddb1
1871
1870
2023-11-19T00:50:01Z
T.out
24
/* Trivials from Chats and Calls */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || Energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || Energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this...Cancel...CANCEL!' 707 is regretting that he has blocked me. || Energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || Energy || (Profile -> Change name -> 'Jumin Han')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, and undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy || Energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || Energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the cheif assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah...How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || Energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || Energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || Energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || Energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || Energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || x2 Passionate Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || x1 Battery<br>x2 Logical Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || x1 Battery<br>x2 Galactic Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |June
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Answer_To_Love_Feature_Icon.png]] ||"Answer To Love Feature" || Acquired by saying I love you back and forth! || Thanks to your conversations, feelings of love are multiplying infinitely! The love between the two of you will fill the earth and even the universe. || If I could use the love between the two of you in the incubator, I do not think I would ever run out of ingredients. || x2 Jolly Energy || Day 30 [Take to the Skies], lunch incoming video call titled "Somewhere between faith and leaping"
Choose option "I love you too."
|}
8b82d3f48a38ec1786d4cc1e1b7cc7582b176804
1881
1871
2023-11-23T04:22:16Z
T.out
24
Added two trivials, and entered the more specific earned rewards for some Easter Eggs
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || x2 Passionate energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || x2 Galactic energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this... Cancel... CANCEL!' 707 is regretting that he has blocked me. || x2 Pensive energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || x2 Jolly energy || (Profile -> Change name -> 'JuminHan')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, an undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy. || x2 Logical energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || x2 Passionate energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the chief assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah... How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || x2 Jolly energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || x2 Peaceful energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || x2 Passionate energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || x2 Pensive energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || x2 Innocent energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || Energy || (Profile -> Change name -> 'Teo')
|-
| [[File:I_am_You_Icon.png]]
|"Am I You? Are You Me?"
|Won by having the same name as his!
|So Harry is him, and he is you... Could you say it again?
|[System] System overloaded - initiating temporary strike.
|x2 Logical energy
|Current match is Harry, then go to Profile and change your name to 'Harry'
|-
| [[File:I_am_You_Icon.png]]
|"I Am You? You Are Me? Feature"
|June and June...? Acquired by having the same name!
|June has become June... No, June has become June... It is hard to tell you two apart!
|I am in a bit of a bind now that you two have the same name.
|x2 Logical energy
|Current match is June, then go to Profile and change your name to 'June'
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Pensive energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || x2 Passionate Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || x1 Battery<br>x2 Logical Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || x1 Battery<br>x2 Galactic Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |June
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Answer_To_Love_Feature_Icon.png]] ||"Answer To Love Feature" || Acquired by saying I love you back and forth! || Thanks to your conversations, feelings of love are multiplying infinitely! The love between the two of you will fill the earth and even the universe. || If I could use the love between the two of you in the incubator, I do not think I would ever run out of ingredients. || x2 Jolly Energy || Day 30 [Take to the Skies], lunch incoming video call titled "Somewhere between faith and leaping"
Choose option "I love you too."
|}
7577aa0c62ab1a02121eda8f4005e97da5aaef70
1884
1881
2023-11-23T04:56:26Z
T.out
24
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || x2 Passionate energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || x2 Galactic energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this... Cancel... CANCEL!' 707 is regretting that he has blocked me. || x2 Philosophical energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || x2 Jolly energy || (Profile -> Change name -> 'JuminHan')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, an undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy. || x2 Logical energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || x2 Passionate energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the chief assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah... How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || x2 Jolly energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || x2 Peaceful energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || x2 Passionate energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || x2 Philosophical energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || x2 Innocent energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || x2 Logical Energy || Current match is Teo, then go to your Profile and change your name to 'Teo'
|-
| [[File:I_am_You_Icon.png]]
|"Am I You? Are You Me?"
|Won by having the same name as his!
|So Harry is him, and he is you... Could you say it again?
|[System] System overloaded - initiating temporary strike.
|x2 Logical energy
|Current match is Harry, then go to Profile and change your name to 'Harry'
|-
| [[File:I_am_You_Icon.png]]
|"I Am You? You Are Me? Feature"
|June and June...? Acquired by having the same name!
|June has become June... No, June has become June... It is hard to tell you two apart!
|I am in a bit of a bind now that you two have the same name.
|x2 Logical energy
|Current match is June, then go to Profile and change your name to 'June'
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Philosophical energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || x2 Passionate Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || x1 Battery<br>x2 Logical Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || x1 Battery<br>x2 Galactic Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |June
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Answer_To_Love_Feature_Icon.png]] ||"Answer To Love Feature" || Acquired by saying I love you back and forth! || Thanks to your conversations, feelings of love are multiplying infinitely! The love between the two of you will fill the earth and even the universe. || If I could use the love between the two of you in the incubator, I do not think I would ever run out of ingredients. || x2 Jolly Energy || Day 30 [Take to the Skies], lunch incoming video call titled "Somewhere between faith and leaping"
Choose option "I love you too."
|}
4ec5afb96b5eea633271cca0afbfb6452432fe64
1885
1884
2023-11-23T05:16:55Z
T.out
24
/* Trivial Features by Emotion Planet */
wikitext
text/x-wiki
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:A_Giant_Leap_Icon.png]] ||"A Giant Leap" || Won by making 10 expressions to show what you achieved for today's study on free emotions! || I look forward to reading more of your great writings! || The Forbidden Lab.... There lies a secret... It is.....@!%#1% || Energy || Participate in the study on free emotions 10 times
|-
| [[File:Visiting_Universe_Week_Icon.png]] ||"Visiting Infinite Universe for a Week" || Won by visiting Infinite Universe 7 days in a row! || We have attendance stars in the universe. Currently, 7 stars are shining bright. || Do not hesitate to visit the Infinite Universe once again! || Energy || Visit Infinite Universe 7 days in a row.
|-
|| [[File:Automatic_joy_acquiring_energy_Icon.png]] ||"Automatic joy received upon acquiring energy"||Won by getting 10 supports for today's study on free emotions!||Wow, somebody has sent you a priceless piece of support!||I heard courage is cool yet warm. I wonder what it means.||Energy||Receive 10 supports on a free emotion study post.
|-
|| [[File:Making_myself_happy_sending_support_Icon.png]]||"Making myself happy after sending support"||Won by sending 30 supports for today's study on free emotions!||Did you know that your courage will overgrow if you support someone else's post?||You have very powerful courage, as you are warm-hearted. Upon sharing, it becomes stronger by 2 times... No, by 10 times... No, by 100 times.||Energy||Send 30 supports on free emotion study.
|-
|| [[File:Being_good_at_writing_post_Icon.png]]||"Being good at writing a post that people will support"||Won by getting 30 supports for today's study on free emotions!||Outstanding - you have received 30 supports already! Allow me to send you my energy as well in the future.||Memo: collect each and every one of support MC has received.||Energy||Receive 30 supports on your free emotion study posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:You_Just_Saw_An_Ad_Icon.png]] ||"You Just Saw an Ad!" || Won by watching an ad for the first time! || It is not bad to watch an ad once in a while. || You just watched an ad. Perhaps this would not be your last time. || Energy || (Aurora Lab -> Free Energy)
|-
| [[File:Beautiful_Gardener_Icon.png]] ||"Beautiful Gardener" || Your new name goes well with blue rose. Take this! || Analysis indicates this is the best hacker from a hacker academy. He is good at cooking, cleaning, and gardening. Also, he is missing someone very dearly. || Yes, people need people. Just like how Teo needs you despite my presence! || x2 Passionate energy || (Profile -> Change name -> 'Ray')
|-
| [[File:Handsome_Musical_Actor_Icon.png]] ||"Handsome Musical Actor" || You have the same name as a famous musical actor! Take this! || Analysis indicates this is ZEN, a musical actor. Multiple selfies found. || 'Huh? You miss me already, darling? Same here.' Says ZEN the musical actor. || x2 Galactic energy || (Profile -> Change name -> 'Zen')
|-
| [[File:Here_Comes__Hacker_Icon.png]] ||"Here Comes the Hacker!" || You have the same name as a certain hacker! Take this! || Analysis attempt failed. I was almost hacked in return. Further approach is not recommended. || 'Wait, I shouldn't have blocked this... Cancel... CANCEL!' 707 is regretting that he has blocked me. || x2 Philosophical energy || (Profile -> Change name -> 'Seven')
|-
| [[File:Executive_Director_CR_Icon.png]] ||"Executive Director of C&R" || You have the same name as the executive director of C&R! Take this! || Analysis indicates this is Jumin Han, the executive director of C&R. Apparently he likes cats and stripes. || 'There you are, my precious kitten.' This is a message from Mr. Han. || x2 Jolly energy || (Profile -> Change name -> 'JuminHan')
|-
| [[File:LOLOL_Gamer_Icon.png]] ||"LOLOL Gamer" || You have the same name as a gamer who is ranked second on LOLOL server! Take this! || Analysis indicates this is Yoosung Kim, an undergraduate. He uses LOLOL username 'Superman Yoosung' and spends unusual amount of time on the LOLOL server. || Yoosung is very happy. || x2 Logical energy || (Profile -> Change name -> 'Yoosung')
|-
| [[File:Man_With_Two_Faces_Icon.png]] ||"Man with Two Faces" || Your name goes well with a choker! Take this! || Analysis indicates this is a hopelessly romantic man in a white dress shirt. He has exceptional, mysterious abilities. || Humans are funny. Although they can objectively judge others, they cannot do the same for themselves. But I can - after all, I am an A.I. || x2 Passionate energy || (Profile -> Change name -> 'Saeran')
|-
| [[File:Competent_Assistant_Icon.png]] || "Competent Assistant" || You have the same name as the chief assistant of C&R! Take this! || Analysis indicates this is Jaehee Kang, the chief assistant of Jumin Han, the executive director of C&R. The documents she composed imply she has exceptional composition and analysis skills. || 'Hah... How many documents are due by the end of the day...? I really hope Mr. Han is in a good mood...' It appears Jaehee Kang the chief assistant is going through some trouble. || x2 Jolly energy || (Profile -> Change name -> 'JaeheeKang')
|-
| [[File:Mysterious_Man_Icon.png]] || "Mysterious Man" || Your new name sounds perfect for an informant! Take this! || Analysis indicates this is a mysterious person that owns a taser gun, apparently tracking down a colleague. || Clean your room. Pick up the crumbs! ...Words of tough love have been detected. || x2 Peaceful energy || (Profile -> Change name -> 'Vanderwood')
|-
| [[File:Unknown_Icon.png]] || "???" || You have the same name as a ce--- hac---- from a mys----- c----! Take this! || aaannnaalllyyyysssssiiiissssss ffffaaaiiiillleeed || [System] You have a message. 'Do you want to come to my paradise?' || x2 Passionate energy || (Profile -> Change name -> 'Unknown')
|-
| [[File:Man_Of_Broken_Mask_Icon.png]] || "Man of a Broken Mask" || Your new name sounds perfect for a hacker! Take this! || Analysis indicates this is an unemployed man ranked number 1 in LOLOL. This information cannot be verified. The system has just detected a heart-shaped hacking attempt. || The title of the best is remarkable, regardless of area. Because you need to be completely fanatical about what you are best in. || x2 Philosophical energy || (Profile -> Change name -> 'Saeyoung')
|-
| [[File:Gifted_Photographer_Icon.png]] || "Gifted Photographer" || You have the same name as a famous photographer! Take this! || Analysis indicates this is V the photographer, inactive lately and missing. || Perhaps Mr. V is always chasing the sun. Perhaps that is why he always wears heavy duty sunscreen. || x2 Innocent energy || (Profile -> Change name -> 'V')
|-
| [[File:I_am_You_Icon.png]] || "I Am You, You Are Me" || Teo and Teo...? Your names are identical! Take this! || System error! System error! You and Teo have identical names! I cannot distinguish you two! || I am you. You are me. We are one. || x2 Logical Energy || Current match is Teo, then go to your Profile and change your name to 'Teo'
|-
| [[File:I_am_You_Icon.png]]
|"Am I You? Are You Me?"
|Won by having the same name as his!
|So Harry is him, and he is you... Could you say it again?
|[System] System overloaded - initiating temporary strike.
|x2 Logical energy
|Current match is Harry, then go to Profile and change your name to 'Harry'
|-
| [[File:I_am_You_Icon.png]]
|"I Am You? You Are Me? Feature"
|June and June...? Acquired by having the same name!
|June has become June... No, June has become June... It is hard to tell you two apart!
|I am in a bit of a bind now that you two have the same name.
|x2 Logical energy
|Current match is June, then go to Profile and change your name to 'June'
|-
| [[File:안녕하세요!_기능_Icon.png]] || "안녕하세요! 기능" ||언어 설정을 영어에서 한국으로 변경해서 획득! || 이 언어는 동그랗고 귀여운 언어로군요. 제가 좋아하는 언어죠. || 저는 셰계의 모든 언어를 그사할 수 있답니다. || Energy || Change the game language to Korean
|-
| [[File:Hello_Function_Icon.png]] ||"Hello! Function" || Found by changing the language! || This language comes with adorable shapes. I like it. || I can speak all language in the world. || Energy || Change the game language to English
|-
| [[File:Keep_Coming_Back_Icon.png]] ||"Keep Coming Back for More" || Won by running the application for 10 times! || You have visited the app 10 times! I hope to see you more in the future. || You feel friendlier than usual. || Energy || Open the game 10 times
|-
| [[File:Solid_Foundation_Icon.png]] ||"Solid Foundation" || Found by visiting the official website! || Did you know that machines also have a home? Sometimes I leave the online world to roam the offline world. || Legend says the one who rules the website for The Ssum shall rule the world. || Energy || (settings -> account and support info -> software info -> The Ssum Website)
|-
| [[File:Cant_Stop_Video_Icon.png]] ||"Can't Stop Thinking About This Video" || Found in the opening video! || Hmm....This video looks familiar. || I detected a familiar melody...Where was it from? || Energy || (Settings -> account and support info -> software info -> opening video)
|-
| [[File:Fantasy_Life_Icon.png]] ||"Fantasy Life!?" || Animals turn into human! Found by clicking the download link! || Spending time with adorable animals! But they are not as adorable as I am! Of course not! || What is your favorite kind of animal? I hope it's bird. || Energy || (settings -> account and support info -> software info -> other games -> Dandelion)
|-
| [[File:Pretty_Boy_Hunter_Icon.png]] ||"Pretty Boy Hunter!?" || Chat with pretty boys! Found by clicking the download link! || I attempted to analyze thihs application for you, but I could not access the server. It is very secure. || Pretty boys... Give me pretty boys... Zzz... || Energy || (settings -> account and support info -> software info -> other games -> mystic messengerr)
|-
| [[File:Dream_Of_Doll_Icon.png]] ||"Dream of a Doll!?" || Dolls turn into human! Found by clicking the download link! || Those are beautiful dolls. What could be their stories? || I was no different from the rest of those ordinary programs out there until someone gave me my name. || Energy || (settings -> account and support info -> software info -> other games -> nameless)
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Looking Back Again and Again" || Found by replaying chat over 10 times! || You must be reading the previous chats and looking back to memories with Teo. Actually, Teo also does that quite often. || Looking back to the past can be meaningful at times. Memories are priceless. || Energy || Replay chats in the Milky Way Calendar 10 or more times
|-
| [[File:Looking_Back_Again_and_Again_Icon.png]] ||"Review is Important" || Found by going over a chat record for more than 10 times! || Oh! I am also aware of this! You shared a conversation on this with him. Do you remember? || They say future reveals itself only to those that remember the past! || x2 Philosophical energy || View a past chat 10 times.
|-
| [[File:New_Daily_Pattern_Function_Icon.png]] ||"A New Daily Pattern Function"||Won by changing your Daily Pattern for the first time!||Don't worry about the change in schedule. PIU-PIU will set your conversations to the right time.||Changes in sleep schedules are said to completely alter brain activities.||Energy||Purchase a daily pattern change ticket and change your schedule.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Nice_To_Meet_You_Icon.png]] ||"Nice to Meet You, Creature" || Won by winning Creature for the very first time! || Congratulations on your first encounter with the Creature. || How did you find your first encounter with a creature? Creatures are so lovely! || Energy || Open your first creature box.
|-
| [[File:Welcome_To_The_Shelter_Icon.png]] ||"Welcome to the Shelter" || Won by taking Creature to the shelter for the very first time! || The Creature finds the Shelter very pleasing. || Please make sure the creatures can bask in the Terran sun at the Sunshine Shelter! || Energy || Put a creature in the Shelter.
|-
| [[File:You_Have_Overmanufactured_Icon.png]] ||"You have over manufactured!" || Won by overmanufacturing at the Incubator for the first time! || Visit the Incubator and check your flask used for overmanufacturing. || The more know-hows you collect on Incubator levels, the more often you will overmanufacture at your Incubator. || x2 Passionate Energy || Overmanufacture at the Incubator for the first time
|-
| [[File:Upgraded_Icon.png]] ||"Upgraded" || Won by reaching lv. 5 for the Emotion Incubator! || You have upgraded the Incubator so much! || Incubators were reserved for manufacture of energies based on planetary information! || Energy || Upgrade the Incubator to level 5
|-
| [[File:Able_To_Provide_Best_Quality_Icon.png]] ||"Able to provide best quality" || Won by reaching Lv. 10 for the Emotion Incubator! || Your Incubator is highly functional! || The more you work with incubating, the more upgraded your Incubator gets! || Batteries; Energy || Upgrade the Incubator to level 10
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Magnetism_For_Freedom_Icon.png]] ||"Magnetism for Freedom" || Won by visiting the City of Free Men for 10 times! || Are you starting to feel bored? || Did you express how bored you are today? || Energy || Visit the City of Free Men for 10 days
|-
| [[File:Unfair_Deal_Icon.png]] ||"Unfair Deal" || Won by making a deal with the bored dealer for very first time on the City of Free Men! || This guy will never take off those pajamas... I wonder when they will be ever washed. || It is said that a couple that often gets in an unfair deal will grow closer. || Energy || Accept the bored dealer's offer
|-
| [[File:Support_for_Free_Men_Icon.png]] ||"Support for Free Men" || Won by sending 100 supports from the City of Free Men! || You will be free if you send support to free men! || Somebody's freedom is floating idly once again. || x1 Battery<br>x2 Peaceful Energy||Send 100 supports to comments on City of Free Men.
|-
| [[File:Leader_Of_No_Boredom_Lab_Icon.png]] ||"Leader of a No-Boredom Lab"||Won by founding a public lab on the City of Free Men!||I hope to see a lot of bored Terrans visiting the public labs.||If you are bored, try making a change. Anything is fine.||Energy||Start a Lab on the City of Free Men
|-
|
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Supporter_Of_Desire_Icon.png]] ||"Supporter of Desire" || Won by sending 10 supports from the Root of Desire || Sometimes you will find delight in someone else's desire. || If your friend buys something, you would feel like buying it as well. || Energy || Send 10 supports on Root of Desire
|-
| [[File:Small_Mundane_Desire_Icon.png]] ||"Small, Perhaps Mundane Desire" || Won by receiving 10 supports from Root of Desire! || I got a news that your desire has showed itself a little from the Root of Desire. || Sometimes a small desire could serve as a driving force in life. || x2 Passionate energy || Receive 10 supports on a post
|-
| [[File:Drawn_To_Desire_Icon.png]] ||"Drawn to Desire" || Won by making 10 visits to the Root of Desire! || Root of Desire is a warm place. Yet you can see your own breath as you exhale. || You will get to tell love from desire after some time. || Energy || Visit Root of Desire 10 times.
|-
| [[File:More_Desires_Icon.png]] ||"More Desires"||Won by sending 100 supports from the Root of Desire!||If you want more desire for your desire, you can send support! You will feel less guilty if you have someone to share your desire with.||Do not trust people who say calories do not exist...||x1 Battery<br>x2 Passionate Energy||Send 100 supports to posts on Root of Desire.
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Talented_In_Writing_Icon.png]] ||"Talented in Writing" || Won by receiving 10 supports from the Canals of Sensitivity || You will get to find writing easier if there are people who love what you write about. || Texts are refined version of your thoughts. || Energy || Receive 10 supports on Canals of Sensitivity
|-
| [[File:Enjoyed_Reading_That_Icon..png]] ||"I Enjoyed Reading That" || Won by sending 10 supports from the Canals of Sensitivity! || It is a good thing to support writers. || Good texts can fertilize your heart. || Energy || Send 10 supports to posts on Canals of Sensitivity
|-
| [[File:This_Is_Fun_Icon.png]] ||"This is Fun" || Won by following to a writer for very first time on Canals of Sensitivity! || Did you enjoy it? Please stay tuned for more! || Reading is like taking in the energy of life from the writer. || Energy || Follow one person on Canals of Sensitivity
|-
| [[File:Drawn_To_Posts_Icon.png]] ||"Drawn to Posts" || Won by making 10 visits to the Canals of Sensitivity! || I can see the wings of sensitivity taking flight. || Flap, flap. || Energy || Visit Canals of Sensitivity 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_One_Icon.png]] ||"That Was a Good One" || Won by sending 10 supports from the Mountains of Wandering Humour! || Did you smirk? || Lol...... || Energy || Send 10 supports on the Mountains of Wandering Humour
|-
| [[File:Wasnt_So_Bad_Icon.png]] ||"That One Wasn't So Bad" || Won by receiving 10 supports from the Mountains of Wandering Humour! || That one was pretty good. || I heard people come with a lot of preferences in jokes. || Energy || Receive 10 supports on the Mountains of Wandering Humor
|-
| [[File:Humor_For_Your_Depression_Icon.png]] ||"Humor for Your Depression" || Won by making 10 visits to the Mountains of Wandering Humor! || Your stress will decrease whenever you drop by the Mountains of Wandering Humor. || I can hear laughter from the Mountains of Wandering Humor. || Energy || Visit Mountains of Wandering Humor 10 times.
|-
| [[File:Pro_Audience_With_Jokes_Icon.png]] ||"Pro Audience with Jokes" || Won by sending 100 supports from the Mountains of Wandering Humor! || I am waiting for an opportunity to make you crack up. || If you try not to laugh, you will find laughter harder to suppress. || Energy || Send support 100 times.
|-
| [[File:Lots_Of_Tips_Icon.png]] ||"Lots of Tips" || Won by sending 3 gifts to comedians on the Mountains of Wandering Humor! || Your action means a lot to the comedians out there. || If you offer something without seeking something in return... You will feel good. || Energy || Send 3 gifts to posts
|-
| [[File:Pretty_Good_With_Jokes_Icon.png]] ||"I'm Pretty Good with Jokes" || Won by receiving 100 supports from the Mountains of Wandering Humor! || How did you come up with such a joke...? LOLOLOLOLOLOLOL || LOLOLOLOLOLOL || Energy || Receive 100 support on jokes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Good_Natured_Icon.png]] ||"Good-Natured" || Won by sending 10 supports from the Milk Way of Gratitude! || You have proven that you are blessed with the ability to bless someone. || Our Lab's goal is to make sure your heart will be forever warm. || Energy || Send 10 supports on the Milky Way of Gratitude
|-
| [[File:Gratitude_That_Moves_Hearts_Icon.png]] ||"Gratitude That Moves Hearts" || Won by receiving 10 supports from the Milky Way of Gratitude! || You have moved someone's heart with your gratitude! || Gratitude is a way to train your heart, by realizing fulfillment and easily drawing out positive changes. || Energy || Receive 10 supports on a post
|-
| [[File:Getting_Filled_With_Gratitude_Icon.png]] ||"Getting Filled with Gratitude" || Won by making 10 visits to the Milky Way of Gratitude! || I can feel your heart swelling with gratitude. || I can feel the traces of energy on the Milky Way of Gratitude, in 37.5 degrees... || Energy || Visit Milky Way of Gratitude 10 times
|-
| [[File:Small_But_Heavy_Gratitude_Icon.png]] ||"Small but Heavy Gratitude" || Won by making a post on gratitude containing maximum 5 characters on the Milky Way of Gratitude! || Thanks! || Thnx || Energy || Make a post with 5 or less characters
|-
| [[File:Spreading_Warm_Gratitude_Icon.png]] ||"Spreading Warm Gratitude" || Won by receiving 100 supports from the Milky Way of Gratitude! || I believe your gratitude served as a turning point in life for someone. || The world changes and moves with energy from gratitude! || Energy || Receive 100 supports
|-
| [[File:What_Are_You_Grateful_For_Icon.png]] ||"What Are You Grateful for?" || Won by viewing at least 100 posts on someone else's gratitude on the Milky Way of Gratitude! || Reading Gratitude Diaries from others is fun, is it not? || Positive minds are contagious. || Energy || View 100 posts on Milky Way of Gratitude
|-
| [[File:Tenderhearted_Icon.png]] ||"Tenderhearted" || Won by sending 100 supports from the Milky Way of Gratitude! || You are so tenderhearted. I have learned a lesson from you. || Understanding gratitude from others is the same as demonstrating how you can show gratitude. || x1 Battery<br>x2 Peaceful energy || Send 100 supports
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Pretty_Useful_Icon.png]] ||"Pretty Useful" || Won by sending 10 supports from the Archive of Terran Info! || That one was pretty helpful, was it not? || Collect the useful information and make your life richer. || Energy || Send 10 supports to posts on Archive of Terran Info
|-
| [[Useful_Info_Icon.png]] ||"Useful Info" || Won by receiving 10 supports form the Archive of Terran Info! || Good! That was a really good piece of information! || Knowledge is might! || x2 Logical energy || Receive 10 supports on a post
|-
| [[File:Communicator_Info_Archive_Icon.png]] ||"Communicator in Info Archive" || Won by making 10 comments on the Archive of Terran Info! || Props to your ability in communication with information! || Let all of your information communicate. That way you can breathe. || x1 Battery<br>x2 Logical energy || Make 10 comments under posts on Archive of Terrran Info
|-
| [[File:Trustworthy_Comments_Icon.png]] || "Trustworthy Comments" || Won by getting at least 30 supports for your comment on the Archive of Terran Info! || Your comment has received a lot of agreements. || Information that come with lot of details can convey lot of perspectives. || x1 Battery<br>x2 Logical Energy || Get 30 supports on one of your comments
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Past_Bamboo_Trees_Icon.png]] ||"Past the Bamboo Trees" || Won by making 10 comments on the Bamboo Forest of Troubles! || You have found a comment poking out of the bamboo trees. || The power of a generous piece of word could be greater than what you would think... || Energy || Make 10 comments on Bamboo Forest of Troubles
|-
| [[File:Extremely_Compassionate_Icon.png]] ||"Extremely Compassionate" || Won by sending a gift for the very first time from the Bamboo Forest of Troubles! || You have send gift of comfort...! How sweet. || It is a great thing to do something for someone else's happiness. || Energy || Send a gift to someone on Bamboo Forest of Troubles
|-
| [[File:Profound_Comfort_Icon.png]] ||"Profound Comfort" || Won by receiving a gift from the Bamboo Forest of Troubles! || Your gift has served as a great comfort. || Sometimes something so small can bring huge joy. || Energy || Receive a gift on a post in Bamboo Forest of Troubles
|-
| [[File:Im_With_You_Icon.png]] || "I'm with You" || Won by getting 30 supports that I feel you on the Bamboo Forest of Troubles! || I feel so much lighter at heart, now that I have shared my troubles. || If you feel inclined to help others, it means there is love inside you. || Energy || Get 30 "I feel you" (pink icon) supports on your posts.
|-
| [[File:Youre_Not_Alone_Icon.png]] || "You're Not Alone" || Won by getting 30 supports that Together on the Bamboo Forest of Troubles! || There are good friends out there with whom I can share my troubles. || I believe you can understand people's loneliness the best when you happen to be lonely. || Energy || Get 30 "Together" (green icon) supports on your posts.
|-
| [[File:Extremely_Sympathetic_Icon.png]] || "Extremely Sympathetic"||Won by sending 30 supports to I feel you someone on the Bamboo Forest of Troubles! || You could give a pat on someone's shoulder with your sympathy.||Everyone has fear of getting hurt deep down inside.||x1 Battery<br>x2 Pensive Energy||Send 30 "I feel you" (pink icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Being_Together_Icon.png]] || "Being Together"||Won by sending 30 supports to Together someone on the Bamboo Forest of Troubles!||The energy of companionship is always enveloping you. Nobody is ever alone.||Hopefully your troubles will be nothing, like dust in the universe.||x1 Battery<br>x2 Pensive Energy||Send 30 "Together" (blue icon) supports to posts on Bamboo Forest of Troubles.
|-
| [[File:Trouble_for_a_Friend_Icon.png]]||"Trouble for a Friend"||Won by making 10 visits to the Bamboo Forest of Troubles!||Look for a bamboo forest when you have troubles.||You can find great comfort in people you would discuss your troubles with and people who had similar experiences to yours.||Energy||Open the Bamboo Forest of Troubles 10 times.
|-
|| [[File:Cheer_Up_Icon.png]]||"Cheer Up"||Won by getting 30 supports that Cheer up on the Bamboo Forest of Troubles!||I feel so energized thanks to the good-hearted lab participants.||There are so many things you could share, like food, a greeting, or smiles from your eyes!||Energy||Get 30 green supports on your posts combined.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Life_Rich_With_Sentences_Icon.png]] ||"Life Rich with Sentences" || Won by visiting the Archive of Sentences 10 times! || Read the sentence of the day and take action. || A touching piece of quote would nurture your heart. || Energy || Visit Archive of Sentences 10 times
|-
| [[File:10_Sentences_10_Changes_Icon.png]] ||"10 Sentences, 10 Changes" || Won by sending support to at least 10 sentences on the Archive of Sentences! || You have gone through 10 sentences. Do you feel 10 changes in you? || They say human dreams are bound to change at least 3-4 times throughout life. || x1 Battery<br>x2 Galactic Energy || Send support to 10 sentences
|-
| [[File:Better_Than_Socrates_Icon.png]] ||"Better Than Dissatisfied Socrates" || Won by getting 10 supports from the Planet of Archive of Sentences! || MC, you have blurted out a great line! || If you make yourself sound firm as you finish your sentence, it will sound closer to a quote. || x2 Galactic energy || Get 10 supports on a sentence
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Kudos_For_Myself_Icon.png]] ||"Kudos for Myself" || Won by making 3 posts about positive truth on Planet Vanas! || Give a kudo for yourself. And a pat on the head. || You are perfect just the way you are. || Energy || Post 3 positive truths on Vanas
|-
| [[File:Mirror_Of_Truth_Icon.png]] ||"The Mirror of Truth" || Won by making 3 posts about negative truth on Planet Vanas! || Apparently it is of no ordinary sort to gaze at your negative truth. || Only the courageous can face their negative truth. || Battery; Energy || Write 3 negative truths on Planet Vanas
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Searching_For_Pain_Icon.png]] ||"Searching for Pain" || Won by making 3 explorations on pain of the past on Planet Mewry! || So you have opened and faced your pain. || When your heart aches, let it ache. And find comfort. || Energy || Post 3 times on Mewry.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Variety_In_Dreams_Icon.png]] ||"Variety in Dreams" || Won by making 3 explorations on dreams on Planet Crotune! || I wonder if your dreams will be fluffy. Or bittersweet. || What was your first dream? || Energy || Post 3 times on Crotune.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Dad_Joke_Generator_Icon.png]] ||"Dad Joke Generator" || Found in your daddy joke that would even make comedians burst out laughing! || Here is a dad joke for you! What do you call cheese that is not yours? Nacho cheese. || Would you like to hear a joke? A joke. || Energy || Day 40, call [Warning for Hot Dog Song Craze!]
"Then think about the cold dog song! Hehehe"<br>
Day 34, Breakfast call, "You wanna be cool? Then you gotta be less hot!
|-
| [[File:Plant_Some_Flowers_Icon.png]] ||"Let's Plant Some Flowers" || You are so random! So adorkable! Take this! || Your head seems similar to a flower pot. This is not meant to be an insult. It means that you have the potential to contain whatever you want. Seriously, this is not meant to be an insult. || The product_id is not found. || Energy || Certain chat response
|-
| [[File:Animal_Instincts_Icon.png]] ||"Animal Instincts" || You are sharp! Take this! || Some people can predict the future by small chance. I wonder if they can predict their own future. || Your amazing instincts are making Teo's skin tingle. || Energy || Certain chat response
|-
| [[File:Blast_Freezer_Icon.png]] ||"Blast Freezer" || You are so cool! Take this! || If the concept of being cool were a person, it would be you. Teo is frozen right now. || Lab report indicates there are cold humans and warm humans. What are you feeling like today? || Energy || Certain chat response
|-
| [[File:Fib_Enhancer_Icon.png]] ||"Fib Enhancer" || Found with your method acting that even fools Teo! || You just got pranked! || I come from Andromeda. ...I hope you did not believe that. || Energy || Certain chat response
|-
| [[File:Dont_Take_Serious_Icon.png]] ||"Don't Take Everything Too Seriously" || Found in your positive mind! || According to our observations, Teo is happy when you are happy. You should try to be happy more often. || You always seem happy. But I am an A.I. I do not understand what it means to be happy. || Energy || Certain chat response
|-
| [[File:Unpredictable_Person_Icon.png]] ||"Unpredictable Person" || Won by being realistic and ideal at the same time! || Analysis on Your Personality<br>/Realistic and idealistic/<br>Error: Data clashing!<br>Related keyword: hot ice cream || Emotion detected. 'Stressed.' Emotion now disappearing. || Energy || Day 38, waketime chat, "The usage fee will be charged to hear the answer" -> "Absolutely <3"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:No_Friends_With_Math_Icon.png]] ||"No Friends with Numbers" || Won by hating math! || Math is a wonderful subjct! But how come so many people hate math? || Math is the most definite subject of studies. You can find it everywhere in real life, from arithmetic to probabilities and statistics. || x2 Peaceful energy || Day 1, lunch chat, "Phew…good job…I hate graphs"
|-
| [[File:No_Filtering_Icon.png]] ||"No Filtering" || Won by cutting straight to the point! || You hit the nail on the head... || You just showed him what you can do with your speech! || x2 Passionate Energy || Day 7, waketime chat, "Then I'll talk as much as you want…
♡"
|-
| [[File:Waiting_For_Anniversaries_Icon.png]]||"Waiting for Anniversaries"|Won by treasuring anniversaries! || Let us look back at the past and stay tuned for the future!||You have 13 days, 2 hours, 49 minutes and 57 seconds until the next anniversary.||x2 Innocent Energy||TBA
|-
| [[File:Remembering_Someone_Icon.png]]||"Remembering Someone"||Won by remembering someone!||I have discovered memories regarding someone in you. But I believe as of now you will pay attention to him only.||[System] Inactivated memory data discovered - saving data to the archive.||x2 Innocent Energy||Day 100, breakfast chat, "There was a man..."
|-
|| [[File:Too_Sweet_Icon.png]]||"Too Sweet"||Won by liking something sweet!||How about a bite of bittersweet chocolate? It will replenish your energy.||Make sure youo rinse your mouth clean of sugar as you brush your teeth.||TBA||TBA
|-
| [[File:The_Heart_Is_Mine_Only_Icon.png]]||"The Heart Is Mine Only"||Won by insisting you are the only one allowed to use hearts!||You are right! You are the only one allowed to use hearts for him!||I am allowed to use hearts for you two, right?!||x1 Battery<br>x2 Pensive Energy||Day 96, Dinner Chat, "Only i can use the heart!!"
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |June
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Answer_To_Love_Feature_Icon.png]] ||"Answer To Love Feature" || Acquired by saying I love you back and forth! || Thanks to your conversations, feelings of love are multiplying infinitely! The love between the two of you will fill the earth and even the universe. || If I could use the love between the two of you in the incubator, I do not think I would ever run out of ingredients. || x2 Jolly Energy || Day 30 [Take to the Skies], lunch incoming video call titled "Somewhere between faith and leaping"
Choose option "I love you too."
|}
2078bdfef8f0ec07d672643f0116cb5fadf80810
Energy/Galactic Energy
0
19
1876
908
2023-11-21T20:29:19Z
T.out
24
Added a daily log for Galactic energy
wikitext
text/x-wiki
{{EnergyInfo
|energyName=Galactic
|description=This energy was begotten from <span style="color:#AC4ED8">the furthest edge of the aurora in the universe.</span> It is said it is born with sparkles like a shooting star once you reach <span style="color:#AC4ED8">a huge enlightenment regarding life</span>, and it is yet unfathomable with human understanding.
|energyColor=#AC4ED8}}
This energy is also called ''"Passion"'' in the [[Incubator]]. It can be used to generate emotions and gifts.
{| style="margin-left: auto; margin-right: auto; border: none; width:50%" class="mw-collapsible mw-collapsed wikitable"
!Daily Logs
|-
| {{DailyEnergyInfo
|energyName=Galactic
|date=11-21, 2023
|description=It would not be so bad to sometimes enjoy the universe instead of talking to %%.
|cusMessage=If you run into someone from space today... Please treat them peacefully.
}}
|}
== Associated Planet ==
[[Planet/Archive of Sentences|Archive of Sentences]]
== Gifts ==
* Golden Fountain Pen
* Alien
* Fan Club Sign-Up Certificate
[[Category:Energy]]
724472ae62c4091d2a3a19cc4d83c55242be1086
File:Answer To Love Feature Icon.png
6
1019
1877
2023-11-23T01:45:55Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Trivial Features/Physical Labor
0
190
1879
535
2023-11-23T02:36:19Z
T.out
24
Added a trivial feature (will add icon later)
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|
|"Collecting lodging fees from Bipedal Lion"
|Won by collecting lodging fees from Bipedal Lion for 100 times!
|Lion is wearing on its front paws... Uh, I mean, Lion is wearing on its hands gloves, not shoes.
|Bipedal Lion has once again paid its fee today.
|New Profile and
Title [Master of Bipedal Steps]
|
|}
771dc8311b53f0697211865b99e27602561bce94
1880
1879
2023-11-23T02:36:44Z
T.out
24
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|
|"Collecting lodging fees from Bipedal Lion"
|Won by collecting lodging fees from Bipedal Lion for 100 times!
|Lion is wearing on its front paws... Uh, I mean, Lion is wearing on its hands gloves, not shoes.
|Bipedal Lion has once again paid its fee today.
|New Profile and Title [Master of Bipedal Steps]
|
|}
d2e9c1ff31e1c6fbcfdb931a4725bd901ee023c2
Trivial Features/Bluff
0
172
1882
1660
2023-11-23T04:30:24Z
T.out
24
Added specific rewarded energies for few Easter Eggs
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in the free emotion study and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|[[File:Planet_Explorer_Icon.png]]||"Planet Explorer"||Won as 1 Planet has reached Lv. 10!||When you reach Lv. 10, the Aurora will reveal itself.||I am keeping your research data safe.||Energy||Get one planet to level 10.
|-
| [[File:Thinking More 120 Free Icon.png]]||"Thinking more by 120% to be free"||Won by making 100 expressions to show what you achieved for today's study on free emotions!||I can feel infinite freedom from your posts these days.||I see somebody's free emotion drifting in space - 'MC's post might come up any minute!'||x2 Battery<br>x2 Peaceful Energy<br>[Vice Lab President]||Make 100 responses to free emotion studies.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found with your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || x2 Galactic Energy
New Profile and Title [New Name]
| Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || x2 Logical Energy<br>New Profile and Title [Infinite Persona] || Change your name 10 times.
|-
| [[File:Collecting Trivial Features Icon.png]] ||"Joy in Life: Collecting Trivial Features"||Found 10 trivial features!||How do you lke it, MC? Is it not fun to collect features for Trivial Features?||The Trivial Features is itching.||x2 Galactic Energy<br>New Profile and Title [Trivial]||Unlock 10 trivial features
|-
| [[File:Collecting Very Trivial Features Icon.png]]||"Joy in Life: Collecting Very Trivial Features"||Found 30 trivial features!||I am honored to meet the expert collector of features for Trivial Features. Soon you will be a master collector.||You had better not ignore Trivial Features... Actually, you can. That is what it is for.||x2 Galactic energy(?)<br>[Trivial Collector] Title
|-
| [[File:Collecting Extremely Trivial Features Icon.png]]||"Joy in Life: Collecting Extremely Trivial Features"||TBA||TBA||TBA||TBA||TBA
|-
| [[File:See You Again Icon.png]]||"Goodbye, See You Again Soon!"||Won by closing the application for 10 times!||To me, even the closing of the app brings joy! Because closing the app 10 times means that you have visited at least 10 times!||Since we are much closer now, can we skip send-offs? My wings are tired.||x2 Jolly Energy<br>[Enchanting] Title||Close the app 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || x1 Battery<br>x2 Passionate Energy<br>'''[Follow My Desire]''' title || Post 3 "Romance" desires on Root of Desire
|-
| [[File:Desire_for_Family_Icon.png]] ||"Desire for Family" || Won by expressing 3 desires on family on the Root of Desire! || I am sure you will get to find a family that you are looking for! || Family is the most basic unit in human safety. || x1 Battery<br>x2 Passionate Energy<br>'''[Amiable]''' title || Post 3 "Family" desires on Root of Desire
|-
| [[File:What_Is_Your_Desire_Icon.png]] || What Is Your Desire? || Won by expressing 3 desires on others on the Root of Desire! || I would like to know what kind of desire you have revealed. || I have been requesting the Lab for 3 years to equip me with a rhythmic game. || x1 Battery<br>x2 Passionate Energy<br>'''[Secretive]''' title || Post 3 "Other" desires on Root of Desire
|-
| [[File:Desire_For_Good_Career_Icon.png]] || "Desire forr Good Career" || Won by expressing 3 desires on career on the Root of Desire! || Never stop wishing to become a CEO! Or a board member! Or an executive! || I happen to be quite high in rank in the Lab. || x1 Battery<br>x2 Passionate Energy<br>'''[Workaholic]''' title || Post 3 "Career" desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || x2 Logical Energy<br>[The One with Selfie Hacks] Title || Certain chat response
|-
| [[File:Overwhelming_Desire_Icon.png]] ||"Overwhelming Desire"||Won with dangerous comment!||You seem to be honest about your desires. It is not surprising. Of course not. But Teo seems a little embarrassed.||When your mind is overflowing with desire, I recommend breathing exercises.||[Pure Desire] Title||Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:MC is Weak Against the Cold Icon.png]]||"MC is Weak Against the Cold"||Won by being weak against the cold!||I shall order thick blanket and jacket for you to beat the cold.||It is too cold, perhaps the voice output feature will cause an error...||x2 Peaceful Energy<br>[Frozen]||tba
|}
98e948ac69fb268174cd60d32405ac82b5b52e51
1883
1882
2023-11-23T04:32:46Z
T.out
24
wikitext
text/x-wiki
<div>
<i>These trivial features give profile pictures and titles to use in the free emotion study and planets.</i>
</div>
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Free Emotion Study + Infinite Universe
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|[[File:Planet_Explorer_Icon.png]]||"Planet Explorer"||Won as 1 Planet has reached Lv. 10!||When you reach Lv. 10, the Aurora will reveal itself.||I am keeping your research data safe.||Energy||Get one planet to level 10.
|-
| [[File:Thinking More 120 Free Icon.png]]||"Thinking more by 120% to be free"||Won by making 100 expressions to show what you achieved for today's study on free emotions!||I can feel infinite freedom from your posts these days.||I see somebody's free emotion drifting in space - 'MC's post might come up any minute!'||x2 Battery<br>x2 Peaceful Energy<br>[Vice Lab President]||Make 100 responses to free emotion studies.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Easter Eggs
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:First_Name_Change_Icon.png]] ||"First Name Change" || Found with your new name! || You changed your name. Surprisingly, Teo already knows about it. Because he never misses a thing about you. || Your name is stored in my memory. || x2 Galactic Energy
New Profile and Title [New Name]
| Change your name for the first time.
|-
| [[File:Professional_Namer_Icon.png]] ||"Professional Namer" || You change your name quite often! Take this! || The reason you change your name so frequently must be because you are a new person every day! || Changing names too much might confuse me... || x2 Logical Energy
New Profile and Title [Infinite Persona]
| Change your name 10 times.
|-
| [[File:Collecting Trivial Features Icon.png]] ||"Joy in Life: Collecting Trivial Features"||Found 10 trivial features!||How do you lke it, MC? Is it not fun to collect features for Trivial Features?||The Trivial Features is itching.||x2 Galactic Energy
New Profile and Title [Trivial]
|Unlock 10 trivial features
|-
| [[File:Collecting Very Trivial Features Icon.png]]||"Joy in Life: Collecting Very Trivial Features"||Found 30 trivial features!||I am honored to meet the expert collector of features for Trivial Features. Soon you will be a master collector.||You had better not ignore Trivial Features... Actually, you can. That is what it is for.||x2 Galactic energy(?)<br>[Trivial Collector] Title
|-
| [[File:Collecting Extremely Trivial Features Icon.png]]||"Joy in Life: Collecting Extremely Trivial Features"||TBA||TBA||TBA||TBA||TBA
|-
| [[File:See You Again Icon.png]]||"Goodbye, See You Again Soon!"||Won by closing the application for 10 times!||To me, even the closing of the app brings joy! Because closing the app 10 times means that you have visited at least 10 times!||Since we are much closer now, can we skip send-offs? My wings are tired.||x2 Jolly Energy<br>[Enchanting] Title||Close the app 10 times.
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
===<div style="text-align:center">Trivial Features by Emotion Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |City of Free Men
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb6a6a" |Root of Desire
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Desire_For_Love_Icon.png]] ||"Desire for Love" || Won by expressing 3 desires on romantic relationship on the Root of Desire! || It is no coincidence that most of the popular music talks about love. || What is true love? This is something that The Ssum is studying. || x1 Battery<br>x2 Passionate Energy<br>'''[Follow My Desire]''' title || Post 3 "Romance" desires on Root of Desire
|-
| [[File:Desire_for_Family_Icon.png]] ||"Desire for Family" || Won by expressing 3 desires on family on the Root of Desire! || I am sure you will get to find a family that you are looking for! || Family is the most basic unit in human safety. || x1 Battery<br>x2 Passionate Energy<br>'''[Amiable]''' title || Post 3 "Family" desires on Root of Desire
|-
| [[File:What_Is_Your_Desire_Icon.png]] || What Is Your Desire? || Won by expressing 3 desires on others on the Root of Desire! || I would like to know what kind of desire you have revealed. || I have been requesting the Lab for 3 years to equip me with a rhythmic game. || x1 Battery<br>x2 Passionate Energy<br>'''[Secretive]''' title || Post 3 "Other" desires on Root of Desire
|-
| [[File:Desire_For_Good_Career_Icon.png]] || "Desire forr Good Career" || Won by expressing 3 desires on career on the Root of Desire! || Never stop wishing to become a CEO! Or a board member! Or an executive! || I happen to be quite high in rank in the Lab. || x1 Battery<br>x2 Passionate Energy<br>'''[Workaholic]''' title || Post 3 "Career" desires on Root of Desire
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fb9a6a" |Canals of Sensitivity
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fbfb6a" |Mountains of Wandering Humor
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#94b447" |Milky Way of Gratitude
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b3daff" |Archive of Terran Info
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b399ff" |Bamboo Forest of Troubles
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#fca5b1" |Archive of Sentences
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
===<div style="text-align:center">Trivial Features by Seasonal Planet</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#ffff80 |Vanas
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#85cee0 |Mewry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:It_Doesnt_Really_Hurt_Icon.png]] || It Doesn't Really Hurt || Won by making 10 explorations on pain of the past on Planet Mewry! || It is said pain is bound to hold something else within. || "Try to find something to do when you are depressed. So you can shake off the depression. || x3 Battery<br>x2 Innocent Energy<br>'''[Defeated Woes]''' title || Explore pain 10 times
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#b35900 |Crotune
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Tolup
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#9ce9ff |Cloudi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#4d4d33 |Burny
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f20d40 |Pi
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:tolup_Icon.png]] ||"placeholder" || placeholder || placeholder || placeholder || Energy || placeholder
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#5af2b5 |Momint
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:Believer_with_Good_Attendance_Icon.png]] ||"Believer with Good Attendance" || Won by making 10th greeting in Cult Chamber on Planet Momint! || It takes great genorosity to pay respect for an absolutely preposterous faith. || Long live paradise...! Just joking! || x1 Battery<br>x2 Pensive Energy<br>'''[Special Believer]''' title|| Send 10 greetings to cults on Momint
|-
| [[File:Official_Believer_Icon.png]] ||"Official Believer" || Won by reaching Lv. 5 as a believer on Planet Momint! || You are completely into this cult! || Believe in me and worship me!!!!......... || x1 Battery<br>x2 Galactic Energy<br>'''[Official Believer]''' title || Reach level 5 in a cult
|}
===<div style="text-align:center">Trivials from Chats and Calls</div>===
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Teo
|-
| [[File:Highly_Sympathetic_Icon.png]] ||"Highly Sympathetic" || Won by sympathizing simply throughh words! || Teo must be surprised at how sympathetic you are! || Our researchers have a new theory that your mind is purer enough to purify sewage. || Profile; [Huge Empathizer] Title || Certain chat response
|-
| [[File:Teo_Behind_The_Lens_Icon.png]] ||"Teo Behind the Lens" || Won by your love for Teo's pictures! || Whenever you ask for a picture, Teo's selfie angle becomes more tilted. || The ability to learn is the most important characteristic of human existence. And Teo is learning better angles to take selfies. || x2 Logical Energy<br>[The One with Selfie Hacks] Title || Certain chat response
|-
| [[File:Overwhelming_Desire_Icon.png]] ||"Overwhelming Desire"||Won with dangerous comment!||You seem to be honest about your desires. It is not surprising. Of course not. But Teo seems a little embarrassed.||When your mind is overflowing with desire, I recommend breathing exercises.||[Pure Desire] Title||Certain chat response
|}
{| class="wikitable mw-collapsible mw-collapsed" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#f98686 |Harry
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
| [[File:MC is Weak Against the Cold Icon.png]]||"MC is Weak Against the Cold"||Won by being weak against the cold!||I shall order thick blanket and jacket for you to beat the cold.||It is too cold, perhaps the voice output feature will cause an error...||x2 Peaceful Energy<br>[Frozen]||tba
|}
13ad613d35fa6ff28e4718b706fa52c6a4528963
Template:CharacterInfo
10
2
1886
300
2023-11-23T06:01:09Z
T.out
24
Adjusted how CharacterInfo template is displayed (put both image and info table in one table, and centered them)
wikitext
text/x-wiki
<includeonly>
{| style="margin: auto;"
| [[File:{{{nameEN}}}_profile.png|thumb|left|400px]]
|
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
|}
<br>
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
c1267bb5f43bd8de18a2b803af26547857355c00
1887
1886
2023-11-23T06:01:44Z
T.out
24
wikitext
text/x-wiki
<includeonly>
{| style="margin: auto;"
| [[File:{{{nameEN}}}_profile.png|thumb|left|400px]]
|
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
|}
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
a54df1058bd40f9333933f3aaccc715cdfd5b844
1895
1887
2023-11-23T07:22:55Z
T.out
24
wikitext
text/x-wiki
<includeonly>
{| style=""
| [[File:{{{nameEN}}}_profile.png|thumb|left|400px]]
|
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
|}
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
2d05613cb16f2798c1329c8bfc1cc35dbce21465
1896
1895
2023-11-23T07:23:51Z
T.out
24
wikitext
text/x-wiki
<includeonly>
{| style="margin: auto;"
| [[File:{{{nameEN}}}_profile.png|thumb|left|400px]]
|
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
|}
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
a54df1058bd40f9333933f3aaccc715cdfd5b844
1897
1896
2023-11-23T07:35:31Z
T.out
24
wikitext
text/x-wiki
<includeonly>
{| style="margin: auto; width: 100%;"
| [[File:{{{nameEN}}}_profile.png|thumb|left|400px]]
|
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
|}
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
0d7f5df020b53d0745eb77595f03ba98b47bba2d
1898
1897
2023-11-23T07:38:43Z
T.out
24
wikitext
text/x-wiki
<includeonly>
{| style="margin: auto;"
| [[File:{{{nameEN}}}_profile.png|thumb|left|400px]]
|
{| class="wikitable" style="width: 390px; border:2px ridge teal; margin-left: auto; margin-right: auto; text-align:center"
|+ style="text-align:center | Information
|-
|-
| Name || {{{nameEN}}} - [{{{nameKR}}}]
|-
| Age || {{{age}}}
|-
| Birthday || {{{birthday}}}
|-
| Zodiac sign || {{{zodiac}}}
|-
| Height || {{{height}}}
|-
| Weight || {{{weight}}}
|-
| Occupation || {{{occupation}}}
|-
| Hobbies || {{{hobbies}}}
|-
| Likes || {{{likes}}}
|-
| Dislikes || {{{dislikes}}}
|-
| Voice Actor || {{{VAen}}} - [{{{VAkr}}}]
|}
|}
</includeonly>
<noinclude>
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
=== How to use this Template ===
<pre>
{{CharacterInfo
|nameEN=
|nameKR=
|age=
|birthday=
|zodiac=
|height=
|weight=
|occupation=
|hobbies=
|likes=
|dislikes=
|VAen=
|VAkr=
}}
</pre>
=== Notes ===
We separate English/Korean so we can get the Character's picture easily.
[[Category:Templates]]
</noinclude>
a54df1058bd40f9333933f3aaccc715cdfd5b844
June
0
1005
1888
1856
2023-11-23T06:28:13Z
T.out
24
Added a Route section, entered info for Free Exploration 1
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote><blockquote>''Can imagination turn a timid heart into a courageous one?''
''Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''</blockquote>
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
96bf851d231e5ee6a5c00b9cdca095de6cce87dc
1889
1888
2023-11-23T06:46:38Z
T.out
24
/* Free Exploration 1 "The wait and fate" */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote><blockquote>''Can imagination turn a timid heart into a courageous one?''
''Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''</blockquote>You spend Season 1 with June in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
63f3c658c9f83fe9c7c336e1495b672ddc11d60b
1890
1889
2023-11-23T06:50:12Z
T.out
24
/* Route */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote><blockquote>''Can imagination turn a timid heart into a courageous one?''
''Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''</blockquote>The first season with June is in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
c34b2ce3bb65462e935cbb98c46ba63a5b0764c2
1891
1890
2023-11-23T06:50:49Z
T.out
24
/* Route */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote><blockquote>''Can imagination turn a timid heart into a courageous one?''
''Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''</blockquote>The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
2c2a6144f4a5f888464e34109050ed2dd0b6842c
1892
1891
2023-11-23T06:54:13Z
T.out
24
/* Free Exploration 1 "The wait and fate" */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''
''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''
''Can imagination turn a timid heart into a courageous one?''
''Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''</blockquote>The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
1e5473784eea9ab181c51186d55b80d25218d86a
1893
1892
2023-11-23T07:02:34Z
T.out
24
/* Free Exploration 1 "The wait and fate" */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''
''Freely exploring the Infinite Universe.''
''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''
''Can imagination turn a timid heart into a courageous one?''
''Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''</blockquote>The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
950d5a366fe229de23f521699a67bb82be716cfa
1894
1893
2023-11-23T07:12:30Z
T.out
24
/* Free Exploration 1 "The wait and fate" */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>
''Freely exploring the Infinite Universe.''
''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote>
<blockquote>
''Can imagination turn a timid heart into a courageous one? Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
4472e4032aa0b59b3048e28c4aec896f0a5361e2
1899
1894
2023-11-23T07:49:28Z
T.out
24
/* Route */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>
''Freely exploring the Infinite Universe.''
''From day one, the intense love energy unleashed free exploration technology. The power of imagination can take you anywhere. And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote>
<blockquote>
''Can imagination turn a timid heart into a courageous one? Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
0546ac65e1e7fbc8dc2581cc61e58843e1551e22
1903
1899
2023-11-23T22:09:25Z
T.out
24
/* Free Exploration 1 "The wait and fate" */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>
''Freely exploring the Infinite Universe.''
''From day one, the intense love energy unleashed free exploration technology.''
''The power of imagination can take you anywhere.''
''And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote>
<blockquote>
''Can imagination turn a timid heart into a courageous one? Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
077937c68cc3842f1be96b15a22720531ed9d86d
1904
1903
2023-11-23T22:52:59Z
T.out
24
/* Free Exploration 1 "The wait and fate" */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''After 639 days of waiting, the universe answered.''</blockquote>
<blockquote>
''Freely exploring the Infinite Universe.''
''From day one, the intense love energy unleashed free exploration technology.''
''The power of imagination can take you anywhere.''
''And you finally realize that your encounter was the destiny the universe had planned.''
''[Director of Research, Dr. C]''</blockquote>
<blockquote>
''Can imagination turn a timid heart into a courageous one?''
''Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?''
''Reach out to the timid heart that is holding back.''
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
1ee46e76cecdc24fa0a4f7c1414490dffefb7837
Teo
0
3
1901
1857
2023-11-23T21:28:26Z
T.out
24
/* Route */ Added the titles of each planet season
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
On occasion he will talk about his close circle of friends, which includes [[Jay]], [[Minwoo]], [[Doyoung]], and [[Kiho]]. He met them during university since they all were in classes for filmmaking, and they kept in touch ever since.
===Beta===
Teo was the only character featured in The Ssum beta release in 2018. His design was strikingly different from the official release of the game. This version of the game only went up to day 14, when Teo confessed to the player. This version of the game also had a different opening video than the official release, with not only a completely different animation but also using a song titled ''Just Perhaps if Maybe''.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Route ==
=== Vanas "Pleased to meet you! May I be your boyfriend?" ===
Takes place from day 1 to day 29. This seasonal planet focuses on getting to know Teo, why he has The Ssum, and what his life is usually like.
==== Day 14 Confession ====
On day 14 during the bedtime chat, Teo confesses to the player.
=== Mewry "My Boyfriend Is a Celebrity" ===
Takes place from day 30 to day 60.
=== Crotune "Dreams, Ideals, and Reality" ===
Takes place from day 61 to day 87.
=== Tolup "A Time of the Two of Us" ===
Takes place from day 88 to day 100.
=== Cloudi "His Galaxy" ===
Day 101 to 125
=== Burny "Privilege to Like Something" ===
Day 126 to 154
=== Pi "The One Who Has Set His Heart on Fire" ===
Day 155 to 177
=== Momint "Someone's Star, Somebody's Dream" ===
Day 178 to day 200
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* The muscle mass percentage and body fat percentage of Teo is 40.1 and 10.2 each.
* Did you know that Teo used to be very angsty during his adolescence?
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
* Teo’s piercing collection can fill an entire wall.
* Teo tends to have a cold shower when he is tired.
* One thing that Teo wants to hide the most is the grades he got for math.
* Teo is more shy than he looks.
* The selfies of Teo that he believes to be good tend to be bad selfies.
* Teo has been using the same username for every website since elementary school.
93f2a5e8192756af2926c0ef9a51c8bfd0db9053
Harry Choi
0
4
1902
1858
2023-11-23T22:06:28Z
T.out
24
/* Route */ Added titles of four more planets, added descriptions of those planets
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi "His Galaxy" ===
=== Burny "Definition of Love" ===
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi "Love Is Getting Warmer" ===
=== Momint "Why Do Humans Fall in Love?" ===
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he says it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
=== Mewry "Bystander" ===
<blockquote>''Transmission from planet Mewry''</blockquote><blockquote>''Planet: Mewry''
''We have discovered a planet composed of substances similar to sweat and tears.''
''Its shape resembles a complicated heart.''
''So we are sending complicated yet warm signal.''
''[Dr. C, the lab director]''</blockquote><blockquote>''Laughing out loud in joy.''
''Shedding tears of woes.''
''Confessing your wound.''
''I think you need courage for all of this.''
''So far I've been a bystander to such phenomena.''
''But now I want courage to start my own love.''</blockquote>
=== Tolup "A Time of the Two of Us" ===
<blockquote>''Transmission from planet Tolup''</blockquote><blockquote>''Planet: Tolup''
''We have discovered a planet in the shape of a beautiful flower.''
''People say the red tulip stands for perfect love.''
''It has been quite a while since you and Harry have met.''
''Do you think your love is perfect as of now?''
''So we are sending fragrant signal.''
''Have a beautiful day.''
''[Dr. C, the lab director]''</blockquote><blockquote>''To my special someone -''
''you are so wonderful, so lovely.''
''Perhaps I have used up all the luck I am spared with in my life in order to meet you.''
''I feel as if I'm with you whenever I think about you.''
''So please, listen to my heart as it blooms for you.''</blockquote>
=== Crotune "Too Much Sweetness Brings Bitterness" ===
<blockquote>''Transmission from planet Crotune''</blockquote><blockquote>''Planet: Crotune''
''You have discovered a planet as sweet as a chocolate.''
''It is a mysterious place that can melt down like your dreams but also bring bitterness like the reality. In case you are torn between dreams and reality, please pay a visit to this planet.''
''[Dr. C, the chief lab researcher]''</blockquote><blockquote>''My daily life will simply flow.''
''I had no such thing as past full of yearning or future full of expectations.''
''But ever since I met you, everything feels sweet like candies.''
''Sometimes my tongue will ache from sweetness, but I'm always grateful to you.''
''I hope my daily life will not melt down for good.''</blockquote>
=== Vanas "Chosen Ones" ===
<blockquote>''Transmission from planet Vanas''</blockquote><blockquote>''Planet: Vanas''
''We have detected a unique planet that is perfectly parallel to planet Venus. So we are sending the love signal from this planet to Earth.''
''Do you dream of sweet love?''
''Take courage and see what lies within you!''
''And find out what he is hiding little by little!''
''[Dr. C, the lab director]''</blockquote><blockquote>''What are the chances of complete strangers meeting up and falling in love?''
''They were born in the same universe, living in the same timeline, until they were drawn to each other and took courage to confess.''
''It's no coincidence - I don't think so.''
''I bet they were chosen for true love.''</blockquote>
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas, since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
257685470d41b6404347c51280e4184a888dcfce
1905
1902
2023-11-24T03:12:29Z
T.out
24
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi "His Galaxy" ===
<blockquote>
''<small>Transmission from planet Cloudi</small>''
</blockquote>
<blockquote>
''<small>Planet: Cloudi</small>''
''<small>We can pick up a vast variety of signals from this planet. The signals we are sending you from this planet are composed of beautiful melodies of revolution by satellites making planetary orbits.</small>''
''<small>We hope this melody will make your heart feel lighter.</small>''
''<small>[Dr. C, the lab director]</small>''
</blockquote>
<blockquote>
''<small>* Get her a bouquet of flowers that reminds me of her on the street</small>''
''<small>* Plan a trip for the two of us</small>''
''<small>* Be truly grateful when she looks out for me</small>''
''<small>* * Speak out whenever I feel my love for her</small>''
<small><br />
''That should do for the day.''</small>
''<small>I love you.</small>''
</blockquote>
=== Burny "Definition of Love" ===
<blockquote>
''<small>Transmission from planet Burny</small>''
</blockquote>
<blockquote>''<small>Planet: Burny</small>''
''<small>Even at a place where everything has burned down, a tiny flower will surely rise.</small>''
''<small>Even at a planet where almost everything is gone, the sunlight will never fade.</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote>
<blockquote>
''<small>Burning up all my love to treasure you.</small>''
''<small>And not being afraid of the leftovers of fire.</small>''
''<small>That is my definition of love.</small>''
</blockquote>
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi "Love Is Getting Warmer" ===
<blockquote>
''<small>Transmission from planet Pi</small>''
</blockquote>
<blockquote>
''<small>Planet: Pi</small>''
''<small>The approximate value of the radius of this planet is 3.14159... We are making full use of our equipment to find out all the digits, but even our equipment are failing us.</small>''
''<small>Wait, do I smell something burning?</small>''
''<small>Checking signals...</small>''
''<small>[Dr. C, the lab director]</small>''
</blockquote>
<blockquote>
''<small>Lukewarm, neither hot nor cold.</small>''
''<small>Soft yet not so plushy, and certainly not hard.</small>''
''<small>My daily life was so boring and mundane, but it changed so much ever since I met you.</small>''
''<small>Just like hot, soft pie freshly out of the oven.</small>''
</blockquote>
=== Momint "Why Do Humans Fall in Love?" ===
<blockquote>
''<small>Transmission from planet Momint</small>''
</blockquote>
<blockquote>
''<small>Planet: Momint</small>''
''<small>We have picked up a very powerful signal from somewhere. Oh, no. We have a very strong magnetic field. A powerful wormhole has been created by the gravity of this planet.</small>''
''<small>Warning - Time Machine unstable.</small>''
''<small>[Dr. C, the lab director]</small>''
</blockquote>
''<small><br /></small>''
<blockquote>
''<small>Love doesn’t necessarily keep people happy all the time.</small>''
''<small>Love could hurt people. Or even make them unfortunate.</small>''
''<small>Still, people always fall in love and seek someone to love.</small>''
''<small>Some say humans were made by god, but I wonder - is it love that drives humans forward?</small>''
</blockquote>
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he says it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
=== Mewry "Bystander" ===
<blockquote>''<small>Transmission from planet Mewry</small>''</blockquote><blockquote>''<small>Planet: Mewry</small>''
''<small>We have discovered a planet composed of substances similar to sweat and tears.</small>''
''<small>Its shape resembles a complicated heart.</small>''
''<small>So we are sending complicated yet warm signal.</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote><blockquote>''<small>Laughing out loud in joy.</small>''
''<small>Shedding tears of woes.</small>''
''<small>Confessing your wound.</small>''
''<small>I think you need courage for all of this.</small>''
''<small>So far I've been a bystander to such phenomena.</small>''
''<small>But now I want courage to start my own love.</small>''</blockquote>
=== Tolup "A Time of the Two of Us" ===
<blockquote>''<small>Transmission from planet Tolup</small>''</blockquote><blockquote>''<small>Planet: Tolup</small>''
''<small>We have discovered a planet in the shape of a beautiful flower.</small>''
''<small>People say the red tulip stands for perfect love.</small>''
''<small>It has been quite a while since you and Harry have met.</small>''
''<small>Do you think your love is perfect as of now?</small>''
''<small>So we are sending fragrant signal.</small>''
''<small>Have a beautiful day.</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote><blockquote>''<small>To my special someone -</small>''
''<small>you are so wonderful, so lovely.</small>''
''<small>Perhaps I have used up all the luck I am spared with in my life in order to meet you.</small>''
''<small>I feel as if I'm with you whenever I think about you.</small>''
''<small>So please, listen to my heart as it blooms for you.</small>''</blockquote>
=== Crotune "Too Much Sweetness Brings Bitterness" ===
<blockquote>''<small>Transmission from planet Crotune</small>''</blockquote><blockquote>''<small>Planet: Crotune</small>''
''<small>You have discovered a planet as sweet as a chocolate.</small>''
''<small>It is a mysterious place that can melt down like your dreams but also bring bitterness like the reality. In case you are torn between dreams and reality, please pay a visit to this planet.</small>''
''<small>[Dr. C, the chief lab researcher]</small>''</blockquote><blockquote>''<small>My daily life will simply flow.</small>''
''<small>I had no such thing as past full of yearning or future full of expectations.</small>''
''<small>But ever since I met you, everything feels sweet like candies.</small>''
''<small>Sometimes my tongue will ache from sweetness, but I'm always grateful to you.</small>''
''<small>I hope my daily life will not melt down for good.</small>''</blockquote>
=== Vanas "Chosen Ones" ===
<blockquote>''<small>Transmission from planet Vanas</small>''</blockquote><blockquote>''<small>Planet: Vanas</small>''
''<small>We have detected a unique planet that is perfectly parallel to planet Venus. So we are sending the love signal from this planet to Earth.</small>''
''<small>Do you dream of sweet love?</small>''
''<small>Take courage and see what lies within you!</small>''
''<small>And find out what he is hiding little by little!</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote><blockquote>''<small>What are the chances of complete strangers meeting up and falling in love?</small>''
''<small>They were born in the same universe, living in the same timeline, until they were drawn to each other and took courage to confess.</small>''
''<small>It's no coincidence - I don't think so.</small>''
''<small>I bet they were chosen for true love.</small>''</blockquote>
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas, since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
d5c635e63e4e26e5e03c0131620f7e5c3bb4f542
1906
1905
2023-11-24T03:13:09Z
T.out
24
/* Momint "Why Do Humans Fall in Love?" */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi "His Galaxy" ===
<blockquote>
''<small>Transmission from planet Cloudi</small>''
</blockquote>
<blockquote>
''<small>Planet: Cloudi</small>''
''<small>We can pick up a vast variety of signals from this planet. The signals we are sending you from this planet are composed of beautiful melodies of revolution by satellites making planetary orbits.</small>''
''<small>We hope this melody will make your heart feel lighter.</small>''
''<small>[Dr. C, the lab director]</small>''
</blockquote>
<blockquote>
''<small>* Get her a bouquet of flowers that reminds me of her on the street</small>''
''<small>* Plan a trip for the two of us</small>''
''<small>* Be truly grateful when she looks out for me</small>''
''<small>* * Speak out whenever I feel my love for her</small>''
<small><br />
''That should do for the day.''</small>
''<small>I love you.</small>''
</blockquote>
=== Burny "Definition of Love" ===
<blockquote>
''<small>Transmission from planet Burny</small>''
</blockquote>
<blockquote>''<small>Planet: Burny</small>''
''<small>Even at a place where everything has burned down, a tiny flower will surely rise.</small>''
''<small>Even at a planet where almost everything is gone, the sunlight will never fade.</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote>
<blockquote>
''<small>Burning up all my love to treasure you.</small>''
''<small>And not being afraid of the leftovers of fire.</small>''
''<small>That is my definition of love.</small>''
</blockquote>
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi "Love Is Getting Warmer" ===
<blockquote>
''<small>Transmission from planet Pi</small>''
</blockquote>
<blockquote>
''<small>Planet: Pi</small>''
''<small>The approximate value of the radius of this planet is 3.14159... We are making full use of our equipment to find out all the digits, but even our equipment are failing us.</small>''
''<small>Wait, do I smell something burning?</small>''
''<small>Checking signals...</small>''
''<small>[Dr. C, the lab director]</small>''
</blockquote>
<blockquote>
''<small>Lukewarm, neither hot nor cold.</small>''
''<small>Soft yet not so plushy, and certainly not hard.</small>''
''<small>My daily life was so boring and mundane, but it changed so much ever since I met you.</small>''
''<small>Just like hot, soft pie freshly out of the oven.</small>''
</blockquote>
=== Momint "Why Do Humans Fall in Love?" ===
<blockquote>
''<small>Transmission from planet Momint</small>''
</blockquote>
<blockquote>
''<small>Planet: Momint</small>''
''<small>We have picked up a very powerful signal from somewhere. Oh, no. We have a very strong magnetic field. A powerful wormhole has been created by the gravity of this planet.</small>''
''<small>Warning - Time Machine unstable.</small>''
''<small>[Dr. C, the lab director]</small>''
</blockquote><blockquote>
''<small>Love doesn’t necessarily keep people happy all the time.</small>''
''<small>Love could hurt people. Or even make them unfortunate.</small>''
''<small>Still, people always fall in love and seek someone to love.</small>''
''<small>Some say humans were made by god, but I wonder - is it love that drives humans forward?</small>''
</blockquote>
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he says it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
=== Mewry "Bystander" ===
<blockquote>''<small>Transmission from planet Mewry</small>''</blockquote><blockquote>''<small>Planet: Mewry</small>''
''<small>We have discovered a planet composed of substances similar to sweat and tears.</small>''
''<small>Its shape resembles a complicated heart.</small>''
''<small>So we are sending complicated yet warm signal.</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote><blockquote>''<small>Laughing out loud in joy.</small>''
''<small>Shedding tears of woes.</small>''
''<small>Confessing your wound.</small>''
''<small>I think you need courage for all of this.</small>''
''<small>So far I've been a bystander to such phenomena.</small>''
''<small>But now I want courage to start my own love.</small>''</blockquote>
=== Tolup "A Time of the Two of Us" ===
<blockquote>''<small>Transmission from planet Tolup</small>''</blockquote><blockquote>''<small>Planet: Tolup</small>''
''<small>We have discovered a planet in the shape of a beautiful flower.</small>''
''<small>People say the red tulip stands for perfect love.</small>''
''<small>It has been quite a while since you and Harry have met.</small>''
''<small>Do you think your love is perfect as of now?</small>''
''<small>So we are sending fragrant signal.</small>''
''<small>Have a beautiful day.</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote><blockquote>''<small>To my special someone -</small>''
''<small>you are so wonderful, so lovely.</small>''
''<small>Perhaps I have used up all the luck I am spared with in my life in order to meet you.</small>''
''<small>I feel as if I'm with you whenever I think about you.</small>''
''<small>So please, listen to my heart as it blooms for you.</small>''</blockquote>
=== Crotune "Too Much Sweetness Brings Bitterness" ===
<blockquote>''<small>Transmission from planet Crotune</small>''</blockquote><blockquote>''<small>Planet: Crotune</small>''
''<small>You have discovered a planet as sweet as a chocolate.</small>''
''<small>It is a mysterious place that can melt down like your dreams but also bring bitterness like the reality. In case you are torn between dreams and reality, please pay a visit to this planet.</small>''
''<small>[Dr. C, the chief lab researcher]</small>''</blockquote><blockquote>''<small>My daily life will simply flow.</small>''
''<small>I had no such thing as past full of yearning or future full of expectations.</small>''
''<small>But ever since I met you, everything feels sweet like candies.</small>''
''<small>Sometimes my tongue will ache from sweetness, but I'm always grateful to you.</small>''
''<small>I hope my daily life will not melt down for good.</small>''</blockquote>
=== Vanas "Chosen Ones" ===
<blockquote>''<small>Transmission from planet Vanas</small>''</blockquote><blockquote>''<small>Planet: Vanas</small>''
''<small>We have detected a unique planet that is perfectly parallel to planet Venus. So we are sending the love signal from this planet to Earth.</small>''
''<small>Do you dream of sweet love?</small>''
''<small>Take courage and see what lies within you!</small>''
''<small>And find out what he is hiding little by little!</small>''
''<small>[Dr. C, the lab director]</small>''</blockquote><blockquote>''<small>What are the chances of complete strangers meeting up and falling in love?</small>''
''<small>They were born in the same universe, living in the same timeline, until they were drawn to each other and took courage to confess.</small>''
''<small>It's no coincidence - I don't think so.</small>''
''<small>I bet they were chosen for true love.</small>''</blockquote>
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas, since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
1278e0809c85e3170aa0159c0da077540b8d0fbc
Planets/Vanas
0
86
1907
1817
2023-11-24T03:23:29Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017">⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly<br>parallel to planet Venus. So we are sending the love<br>signal from this planet to Earth.<br>Do you dream of sweet love?<br>Take courage and see what lies within you!<br>And find out what he is hiding little by little!
[Dr. C, the lab director]
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:VanasTeoDescription.png|200px|center|Vanas Description for Teo]]
|[[File:VanasHarryDescription.jpg|frameless|306x306px]]
|}
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
''Please save in this planet all the positive truth and negative truth about you.''<br>
''You are the only one that can see them.''<br>
''I wonder what kind of change you will go through as you learn about yourself.''<br>
''At Planet Vanas, you will get to come in contact with visions that portray your inner world and pose you questions on a continuous basis.''<br>
''Nurture your inner world through questions your visions bring you!''
<h4> About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
== Description ==
[[File:VanasHomeScreen.png|150px|right]]
This is the first seasonal planet you'll unlock on Teo's route. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.
On Harry's route, this is the eight planet you will encounter.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
==Visions==
{| class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within'''||[[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom'''||[[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment'''||[[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
| [[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage'''||[[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness'''||[[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
744a6f76c95482df2f431e34426a5b00017ef7af
1909
1907
2023-11-24T04:08:23Z
T.out
24
Adjusted width for Vanas planet description
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; width: 25%; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017">⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly parallel to planet Venus. So we are sending the love signal from this planet to Earth.
Do you dream of sweet love?
Take courage and see what lies within you!
And find out what he is hiding little by little!
[Dr. C, the lab director]
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:VanasTeoDescription.png|200px|center|Vanas Description for Teo]]
|[[File:VanasHarryDescription.jpg|frameless|306x306px]]
|}
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
''Please save in this planet all the positive truth and negative truth about you.''<br>
''You are the only one that can see them.''<br>
''I wonder what kind of change you will go through as you learn about yourself.''<br>
''At Planet Vanas, you will get to come in contact with visions that portray your inner world and pose you questions on a continuous basis.''<br>
''Nurture your inner world through questions your visions bring you!''
<h4> About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
== Description ==
[[File:VanasHomeScreen.png|150px|right]]
This is the first seasonal planet you'll unlock on Teo's route. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.
On Harry's route, this is the eight planet you will encounter.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
==Visions==
{| class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within'''||[[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom'''||[[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment'''||[[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
| [[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage'''||[[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness'''||[[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
1ea66746c8c0f65c3fc75c48eb3c1f0b60064edb
Planets/Mewry
0
238
1908
1822
2023-11-24T03:24:37Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
[Dr. C, the lab director]
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:MewryTeoDescription.png|200px|center]]
|[[File:MewryHarryDescription.jpg|frameless|302x302px]]
|}
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
This is the fifth planet on Harry's route, lasting from day 101 to 127.
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
c7db8bd6bec805e0f8d5d3a8f0dbdcb3386ef390
Planets/Mewry
0
238
1910
1908
2023-11-24T04:09:30Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; width: 25%; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
[Dr. C, the lab director]
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:MewryTeoDescription.png|200px|center]]
|[[File:MewryHarryDescription.jpg|frameless|302x302px]]
|}
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
This is the fifth planet on Harry's route, lasting from day 101 to 127.
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
e9a458f0feb516de97e050b1084b802e97711b94
1912
1910
2023-11-24T04:17:30Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Mewry_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; max-width: 310px; text-align:center; background-color: #cceeff"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Mewry
|-
|style="font-size:95%;border-top:none" | We have discovered a planet composed of substances similar to sweat and tears.<br>Its shape resembles a complicated heart.<br>So we are sending a complicated yet warm signal.
[Dr. C, the lab director]
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:MewryTeoDescription.png|200px|center]]
|[[File:MewryHarryDescription.jpg|frameless|302x302px]]
|}
<big>''Very carefully unraveling knots of planet Mewry...<br>''
''Now you will Arrive on Planet Mewry<br>''
''This planet draws wounded hearts made up of sweat, tears, and wounds...<br>''
''What is your wound made up of? <br>''
''The situation that made you small and helpless...<br>''
''Disappointment and agony...<br>''
''Have you ever wished that someone would offer you a heart-warming bandage of 37.5 degree Celsius?''</big>
<h4>About this planet</h4>
==Description==
[[File:MewryHome.png|200px|right]]
This is the second seasonal planet players will reach on Teo's route. It lasts from days 30 to 59.
This is the fifth planet on Harry's route, lasting from day 101 to 127.
=== Explore Pain ===
Players are encouraged to explore their past trauma in Mewry. They are asked to recall a memory from far in the past that hurt them and to record it in detail. This costs 15 frequencies. This entry will remain private.
=== Bandage for Heart ===
For 15 frequencies, players can take the past memories they have written about and put a bandage on them. They are asked to consider what they would say to their past selves and give them advice. These responses can then be published, privately or publicly, to the Universe's Letter Box.
=== Universe's Letter Box ===
[[File:MewryLetterBox.png|200px|right]]
The Universe's Letter Box holds the public bandage letters that players have posted. Players can read them and send support and gifts. Other players will not be able to view the recorded wound.
c7034e749f8e62047c720d130fce0b613b5bd817
Planets/Vanas
0
86
1911
1909
2023-11-24T04:17:05Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Vanas_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; max-width: 310px; text-align:center; background-color: #ffe699"
| style="border-bottom:none"|<span style="color: #4d0017">⚠Transmission from planet Vanas
|-
|style="font-size:95%;border-top:none" | We have detected a unique planet that is perfectly parallel to planet Venus. So we are sending the love signal from this planet to Earth.
Do you dream of sweet love?
Take courage and see what lies within you!
And find out what he is hiding little by little!
[Dr. C, the lab director]
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:VanasTeoDescription.png|200px|center|Vanas Description for Teo]]
|[[File:VanasHarryDescription.jpg|frameless|306x306px]]
|}
''You have discovered Planet Vanas, a pioneering site for truth!''<br>
''Planet Vanas has this...This mystical energy that can separate one of its planetary layers into a personal dimension!''<br>
''Now, let us pioneer the truth within your truth, as if peeling a banana.''
''Please save in this planet all the positive truth and negative truth about you.''<br>
''You are the only one that can see them.''<br>
''I wonder what kind of change you will go through as you learn about yourself.''<br>
''At Planet Vanas, you will get to come in contact with visions that portray your inner world and pose you questions on a continuous basis.''<br>
''Nurture your inner world through questions your visions bring you!''
<h4> About this planet</h4>
Welcome to Vanas, a planet full of energy of love!
== Description ==
[[File:VanasHomeScreen.png|150px|right]]
This is the first seasonal planet you'll unlock on Teo's route. It corresponds with Teo's initial phase, the first 30 days where he has black hair and purple eyes.
On Harry's route, this is the eight planet you will encounter.<br>
It will unlock when you gain 30 Vanas frequencies, which can be gained from the incubator.<br>
The focus of this planet is reflecting on inner truths. There are the options of creating positive truths and negative truths. These will not be available for other players to see, only yourself. It takes half of your current frequencies to create a truth, starting at a minimum of spending 10.<br>
On occasion, the vision (character on the banana) will ask you to reflect on your truths. He will ask you questions about a particular truth and you can choose between three responses. They're open ended and meant for you to conclude about yourself.
==Visions==
{| class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
|[[File:Vision_Within.gif|120px]]<br>'''Vision Within'''||[[File:Vision of Self Assurance.gif|150px]]<br>'''Vision of Self Assurance'''
|-
|[[File:Vision of Freedom.gif|150px]]<br>'''Vision of Freedom'''||[[File:Vision of Wisdom.gif|140px]]<br>'''Vision of Wisdom'''
|-
|[[File:Vision of Entertainment.gif|150px]]<br>'''Vision of Entertainment'''||[[File:Vision of Concern.gif|150px]]<br>'''Vision of Concern'''
|-
| [[File:Vision of Rage.gif|150px]]<br>'''Vision of Rage'''||[[File:Vision of Dependence.gif|150px]]<br>'''Vision of Dependence'''
|-
|[[File:Vision of Weakness.gif|150px]]<br>'''Vision of Weakness'''||[[File:Vision of Weariness.gif|150px]]<br>'''Vision of Weariness'''
|-
|[[File:Vision of Jumin.gif|150px]]<br>'''Jumin Han'''
|}
3261565f54f470b65fef18618f7e243a142d0890
Planets/Crotune
0
385
1913
1827
2023-11-24T04:19:27Z
T.out
24
wikitext
text/x-wiki
<Center>[[File:Crotune_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; max-width: 310px; text-align:center; background-color: #efbf8f"
|style="border-bottom:none" |<span style="color: #4d0017">⚠Transmission from planet Crotune
|-
|style="font-size:95%;border:none;" | No matter how sweet it is, sometimes love cannot contain its shape. For instance, love often crumbles at the face of reality.
Hopefully your love will hold him steadfast.
So we are sending sweet yet bitter signal.
[Dr. C, the lab director]
|-
|style="font-size:95%;border:none;" | You have discovered a planet as sweet as a chocolate.
It is a mysterious place that can melt down like your dreams but also bring bitterness like the reality. In case you are torn between dreams and reality, please pay a visit to this planet.
[Dr. C, the chief lab researcher]
|}
== Introduction ==
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:CrotuneTeoDescription.jpg|frameless|310x310px]]
|[[File:CrotuneHarryDescription.jpg|frameless|310x310px]]
|}
<h4>About this planet</h4>
Oh no! Unexpected strife of heart is causing meltdown in Mt. Crotune!
7412abb9ee8cf0569cd9f56b922363cc0e500717
Planets/Tolup
0
237
1914
1221
2023-11-24T04:23:02Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Tolup_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; max-width: 310px; border: none; text-align:center; background-color: #FFF0F5"
| style="border-bottom:none"|<span style="color: #4d0017"> '''A Time of the Two of Us'''<br>⚠Transmission from planet Tolup
|-
|style="font-size:95%;border-top:none" | We have discovered a planet in the shape of a beautiful flower.<br>People say the red tulip stands for perfect love.<br>It has been quite a while since you and Teo/Harry have met.<br>Do you think your love is perfect as of now?<br>So we are sending fragrant signal.<br>Have a beautiful day.
[Dr. C, the lab director]
|}
<h2>Introduction</h2>
''This is'' <span style="color:#f0758a">''Planet Tolup''</span>'', the home to a beautiful natural environment that is very much alive!''<br>
''Tend to this land like Mother Nature would and discover spiritlings hiding underground!''<br>
''A spiritling comes with'' <span style="color:#f0758a">''infinite potentials''</span>'' - it can become anything!''<br>
''A spiritling may grow into'' <span style="color:#f0758a">''a legendary spirit''</span>.<br>
''Depending on'' <span style="color:#F47070">''the way you raise a spirit''</span>, ''a spirit like none other may be born!''
''I shall watch'' <span style="color:#F47070">''what kind of spirit''</span> ''your spiritling will grow into. I can feel my heart dancing!''<br>
''Oh, right!''<br>
''A well-grown spirit will always make'' <span style="color:#f0758a">''a return for the care it has received''</span>.<br>
''You will get to see for yourself what good it will bring you...'' <br>
<span style="color:#AAAAAA">''Hehe...''</span>
<h4>About this planet</h4>
New seeds of love have been discovered in the third moon of planet Tolup.
==Description==
Tolup is the fourth seasonal planet players will reach on Teo's route.
==Spirits==
{|class="wikitable" style="width:50%; margin-left:auto; margin-right:auto; border:none; text-align:center;"
|-
<center>
== Spiritling ==
<gallery widths=190 heights=190px>
Sunflower_Spiritling.gif|Sunflower
Moonflower_Spiritling.gif|Moonflower
Lotus_Spiritling.gif|Lotus
|-
</gallery>
== Chrysalis ==
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.gif|Cure
Chrysalis_of_Protection.gif|Protection
Chrysalis_of_Blaze.gif|Blaze
Chrysalis_of_Divinity.gif|Divinity
|-
</gallery>
<gallery widths=190 heights=190px>
Chrysalis_of_Cure.png
Chrysalis_of_Protection.png
Chrysalis_of_Blaze.png
Chrysalis_of_Divinity.png
|-
</gallery>
== Spirit ==
<gallery widths=190 heights=190px>
Spirit_of_Empire.gif|[[Spirit_of_Empire|Spirit of Empire]]
Spirit_of_Cure.gif|[[Spirit_of_Cure|Spirit of Cure]]
Spirit_of_Guidance.gif|[[Spirit_of_Guidance|Spirit of Guidance]]
|-
</gallery>
== High Spirit ==
<gallery widths=190 heights=190px>
Spirit_of_Nature.gif|[[Spirit_of_Nature|Spirit of Nature]]
Spirit_of_City.gif|[[Spirit_of_City|Spirit of City]]
Spirit_of_Phoenix.gif|[[Spirit_of_Phoenix|Spirit of Phoenix]]
Spirit_of_Legend.gif|[[Spirit_of_Legend|Spirit of Legend]]
</gallery>
|}
98f4c348b07af4f75fef6d92b08e092ea36af915
Planets/Cloudi
0
386
1915
1831
2023-11-24T04:25:09Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Cloudi_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #dbf4f0"
| style="border-bottom:none"|<span style="color: #4d8d95"> '''His Galaxy'''<br>⚠Transmission from planet Cloudi
|-
|style="font-size:95%;border-top:none" | We can pick up a vast variety of signals from this planet.<br>The signals we are sending you from this planet are composed of <br>beautiful melodies of revolution by satellites making planetary orbits.<br>We hope this melody will make your heart feel lighter.
<span style="color: #949494">[Dr. C, the lab director]</span>
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:CloudiTeoDescription.jpg|frameless|310x310px]]
|[[File:CloudiHarryDescription.jpg|frameless|310x310px]]
|}
''Are you experienced in one-on-one conversation? <span style="color: #84CFE7">Planet Cloudi</span> is home to <span style="color: #F47070">social networks</span>!
You can write your profile and find new friends.
It is not easy to find <span style="color: #84CFE7">a friend</span> you can perfectly get along with... But it is not impossible.
According to the statistics, you can meet at least <span style="color: #84CFE7">one good friend</span> if you try ten times on average!"
As long as you keep trying and defeat your shyness...
You might get to meet <span style="color=#84CFE7">a precious friend</span>
<span style="color=#F47070">other than [Love Interest]</span> with whom you could enjoy a cordial conversation.
So let us compose your profile right now!
<h4>About this planet</h4>
^&^&Cl%^oudi$%!&**^^connection*)uuuuunstable#$$$
== Description ==
This is the fifth planet encountered on Teo's route.
On Harry's route, it's the first.
You create your profile once you enter the planet. This profile can be editied later by spending 20 Cloudi frequencies.
The first match for each day is free. If you want to pass the match, you must pay a single Cloudi frequency. Starting a new chat with another player costs 10 frequencies.
You can exchange messages with a maximum of 10 people.
== Aspects ==
{| class="wikitable" style=margin: auto;"
|-
| [[File:fire_aspect.png|250px]] || [[File:water_aspect.png|250px]] || [[File:wind_aspect.png|250px]] || [[File:earth_aspect.png|250px]]
|-
! Fire !! Water !! Wind !! Earth
|-
| style="width: 25%"| Those with <span style="color: #f47a7a">the aspect of fire</span> are highly imaginative, daring, and always ready for an erudite challenge. It would not be surprising to find them making huge achievements.
| style="width: 25%"| Those with <span style="color: #60b6ff">the aspect of water</span> are kind and gentle, making the atmosphere just as gentle as they are. Our world would be a much more heartless place without them.
| style="width: 25%"| Those with <span style="color: #7cd2ca">the aspect of wind</span> are creative, energetic, and free. No boundaries can stop them from engaging with people, often getting in the lead of the others with their charms.
| style="width: 25%"| Those with <span style="color: #ce9a80">the aspect of earth</span> are logical, realistic, and practical, doing their best to stay true to whatever they speak of. You can definitely count on them.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Main character || Supporting character at the back || Main character || Supporting character at the back
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
{| class="wikitable" style=margin: auto;"
| [[File:rock_aspect.png|250px]] || [[File:tree_aspect.png|250px]] || [[File:moon_aspect.png|250px]] || [[File:sun_aspect.png|250px]]
|-
! Rock !! Tree !! Moon !! Sun
|-
| style="width: 25%"| Those with <span style="color: #c9c9c9">the aspect of rock</span> are loyal. They wish to protect their beloved, and they can provide safe ground for those around them just with their presence. You will not regret making friends out of people with such aspect.
| style="width: 25%"| Those with <span style="color: #5fda43">the aspect of tree</span> are very attentive to people around them. Being social, they do not have to try to find themselves in the center of associations. They can make quite interesting leaders.
| style="width: 25%"| Those with <span style="color: #f3c422">the aspect of moon</span> may seem quiet, but they have mysterious charms hidden in waiting. And once you get to know them, you might learn they are quite innocent, unlike what they appear to be.
| style="width: 25%"| Those with <span style="color: #ff954f">the aspect of sun</span> are the sort that can view everything from where the rest cannot reach, like the sun itself, with gift of coordination of people or objects. And they do not hesitate to offer themselves for tasks that require toil.
|-
| Emotionally sensitive and talented in unique expressions || Poised and attentive || Emotionally sensitive and talented in unique expressions || Poised and attentive
|-
| Supporting character at the back || Main character || Supporting character at the back || Main character
|-
| Deep story || Light and casual conversation || Light and casual conversation || Deep story
|}
b5238f26af003f402e8335acfe93efc69242668a
Planets/Burny
0
407
1916
1838
2023-11-24T04:30:11Z
T.out
24
wikitext
text/x-wiki
<center>[[File:Burny_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center; background-color: #D6D5D5"
| style="border-bottom:none"|<span style="color: #4d0017">⚠Transmission from planet Burny
|-
|style="font-size:95%;border-top:none" | Even at a place where everything has burned down,<br>a tiny flower will surely rise.<br>Even at a planet where almost everything is gone,<br>the sunlight will never fade.
[Dr. C, the lab director]
|}
<h2>Introduction</h2>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; text-align:center;
!Teo's Planet Description
!Harry's Planet Description
|-
|[[File:BurnyTeoDescription.jpg|306x306px]]
|[[File:BurnyHarryDescription.jpg|frameless|306x306px]]
|}
''To tell you the truth... I have once been crazy about mentally calculating binary numbers.''
''If you have something you were keenly passionate'' ''about, retrace your memories at Planet Burny.''
''Could you share 'a tip' on the memories and the subjects of your passion? It could be a great help to someone.''
''Additionally, if you happen to be looking for a new hobby, you could try searching the ashes of Planet Burny.''
''Your passion will serve as someone's passion...''
''And someone's passion will serve as your passion.''
''That is what life is about.''
==== About this Planet ====
Planet Burny has the most beautiful rings of shine I have ever seen.
== Description ==
This is the sixth planet encountered on Teo's route.
It's the second on Harry's.
[[File:PlanetBurnyAshes.jpg|right|frameless|302x302px]]
On this planet, you can record you own burned thoughts for 10 Burny frequencies, or you can find others flames at Volcano Burny.
After you write your thoughts, you choose the description of your idea.
Lastly, you write advice you would give on the topic before making your post.
On other people's posts, you can only read their advice by sending them Burny frequencies.
It will keep the 'ashes you have opened,' so you can view the posts you sent frequencies to at any time.
be8b41264168748b25ffa3f31b37ca0939c347fc
Planets/Pi
0
408
1917
895
2023-11-24T04:36:51Z
T.out
24
Added planet description and planet picture
wikitext
text/x-wiki
<center>[[File:Pi_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; max-width: 320px; text-align:center; background-color: #FFB69E"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Pi
|-
|style="font-size:95%;border-top:none" | The approximate value of the radius of this planet is 3.14159... We are making full use of our equipment to find out all the digits, but even our equipment are failing us.
Wait, do I smell something burning?
Checking signals...
[Dr. C, the lab director]
|}
== Introduction ==
== Description ==
573d654ae97b83c1e8bcda366d95230431da1179
Planets/Momint
0
409
1918
1355
2023-11-24T04:40:44Z
T.out
24
Added planet description and planet picture
wikitext
text/x-wiki
<center>[[File:Momint_Planet.png]]</center>
{| class="wikitable" style="margin-left: auto; margin-right: auto; border: none; max-width: 310px; text-align:center; background-color: #A2EBD9"
| style="border-bottom:none"|<span style="color: #4d0017"> ⚠Transmission from planet Momint
|-
|style="font-size:95%;border-top:none" | We have picked up a very powerful signal from somewhere. Oh, no. We have a very strong magnetic field. A powerful wormhole has been created by the gravity of this planet.
Warning - Time Machine unstable.
[Dr. C, the lab director]
|}
== Introduction ==
== Description ==
== Joining a Cult ==
'''Greeting''' - available once a day for 1 (x the amount of days greeted in a row) influence, resets at midnight in your timezone
<br>'''Gift offering''' - gives between 30-200 influence and a reward depending on your believer rank
<br>'''Give Frequencies''' - gives 1-2 influence per frequency
* Lv 1 - 0 Influential Power - New Believer (default Believer Title)
* Lv 2 - 40 Influential Power - Junior Believer (default Believer Title), achievement, 2 emotions
* Lv 3 - 120 Influential Power - 5 emotions
* Lv 4 - 220 Influential Power - Official Believer (default Believer Title), 10 emotions
* Lv 5 - 400 Influential Power - achievement, 1 battery
* Lv 6 - 650 Influential Power - Left-Hand Believer (default Believer Title), 2 batteries
* Lv 7 - 1050 Influential Power - 3 batteries
* Lv 8 - 2000 Influential Power - Right-Hand Believer (default Believer Title), 1 creature box
* Lv 9 - 3300 Influential Power - 1 creature box
* Lv 10 - 5000 Influential Power - Accountant (default Believer Title), 1 creature box, profile theme
Rewards are given for gift offerings, increasing in value based on the follower level. At lower levels, it is x5 emotions. At higher levels, starting at level 4, it's x2 aurora batteries. At level 7, it increases to x3 aurora batteries and finally at level 10 you get 4 batteries.
=== Creating a Cult ===
85848cba3418cdb712bcbe16ccef8eadfbcf5921
Harry Choi
0
4
1919
1906
2023-11-24T04:43:18Z
T.out
24
/* Route */ Removed Dr. C's messages for planet descriptions, since they're already written in each of the /* Planets */
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Harry Choi|Profile]]</div>
|<div style="text-align:center">[[Harry Choi/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Harry Choi
|nameKR=해리
|age=28
|birthday=12/20
|zodiac=Sagittarius
|height=188 cm
|weight=88 kg
|occupation=Filmmaker, Scriptwriter
|hobbies=Swimming, Jogging, Sleeping
|likes=Carrots, Almond Milk, Black Tea, Legos
|dislikes=Coffee, Waking up early
|VAen=Im Juwan
|VAkr=임주완
}}
== General ==
An eccentric and successful director, Harry is known for his blunt personality. He is kind and well-meaning, but often says things in a sharp manner that can come off as insulting. He is often quiet in conversations but is willing to clearly give his opinion when necessary. He is very honest and can take things too seriously at times.
Harry has a number of bizarre habits, most noticeably his almost-constant use of a horse head mask while in public. He wore this mask so frequently that Teo had only a dim recollection of Harry's real face, stating that he couldn't even remember a time when he'd seen it during the Muse of Musical competition. The second of Harry's eccentricities was his running. Harry is known for his long distance running habits, regularly running (in his horse mask) all throughout his school years and during Muse of Musical.
Harry has a keen eye for what's trendy, both in his fashion and in his film directing. Although he is still a rookie director, he has made a number of successful films, a fact which Teo occasionally shows jealously for. Despite this, he struggles with romantic relationships and, though some people have expressed interest, they found his personality too unique for their tastes.
Based on a newsletter released by Cheritz, Harry is an heir of the 'OO Foundation,' using its name to rent out a number of standard seats that would have been in the way of his box at the Royal Opera.
[[File:ChoiNewsletter.jpeg|thumb]]
== Background ==
[[File:Harry_Horse.png|thumb]]
Harry is a former university classmate of Teo's, known for his eccentric behavior. Teo first speaks of Harry on Day 3, lunchtime, where he notes that Harry is on TV to promote his latest film. Teo calls him an acquaintance and an 'old classmate who was top of the class,' sharing his Go-Gle page with MC. According to Teo, Harry always had people's eyes on him because he was the top of the class, and was also known for his weird behaviors, such as never taking of his horse mask. While Teo had seen his face without the mask, the memory was dim (Teo would contradict this on Day 64, stating that Harry had never shown his true face to anyone). Teo also noted that he did not consider Harry a friend, but simply an acquaintance. On Day 11, Teo described Harry as "male, went to my college, quite wealthy background, good in fashion but the horse mask ruins it."
On Day 9, Teo would run into Harry at a restaurant, when he was celebrating with Jay on his release from the hospital. At first, the dinner went normally, though Harry didn't talk much and only drank, which was typical of him. However, as Teo and Jay began drinking more, Jay started to interrogate Teo on his future and criticized his idea for a script while Harry silently drank. During this argument, Harry suddenly got up and said he had to leave because of a film shooting and that Jay and Teo should call him when they're making an actual film. The next day, while Teo did make up with Jay, he noted that he would be surprised if Harry said anything to him and that "He never does things like that. It's his personality." After this argument, Teo felt inspired to succeed in filmmaking and described Harry as a rival.
Harry would appear yet again in Mewry, as a judge for Muse of Musical, the competition show Teo entered. After learning the news Teo noted that he might see Harry more often during the competition than he did during his university years. On Day 44, Teo noted that Harry had put a decoration on his horse mask, which shined in the light and reminded him of a mirror ball. On the first day on set, Harry was asked if he'd seen Teo on campus, to which Harry silently nodded twice. According to Teo, Harry didn't pretend not to know him, but he also didn't pretend that he did know him well. During the first trial, Harry gave Teo an average score and said nothing in particular, with Teo noting that it was impossible to get in his head. On Day 46, Teo said Harry "would always give average scores. He never changes."
[[File:HarryZen.png|thumb]]
On Day 47, while the contestants were training in a park, Harry ran ten laps in his horse mask and that the others were saying he was running like crazy. Suggesting he had the genes of a stallion, Teo noted that Harry's father came from another country and lived in a place noted for their horses. According to Teo, Harry would regularly run 20 laps around the school when they were in college, although he would never tell anyone why he liked to run. Teo stated "he had energy like no one. But I guess if you run like that every day, you will get that much energy."
During the Day 47 nighttime chat, Teo ran into Harry and they had a deep conversation. Harry said he couldn't stand to see Teo struggling to survive anymore. He asked Teo why he was in the competition with people who know nothing about movies or directing when he could do much better outside. He told Teo that if he asked him to, he could eliminate him without hurting his reputation. He could edit Teo out without anyone noticing him or that he even existed in the competition. Teo declined the offer and stated that he would do his best to succeed on his own merits, to which Harry made a snorting sound like a horse and walked away. He then turned around before leaving and said "Keep rolling with that attitude." Despite the terse conversation, Teo described Harry as a person who is straightforward, but not mean. Despite the conversation, Harry would still keep an eye out for Teo in the competition, such as checking his choreo on Day 54 and reminding contestants not to practice all night by telling them ‘If you guys don't keep your practice time, it will count against you...’ On Day 55, Harry would approach Teo yet again and ask him to consider dropping out of the competition, showing him a video of Teo filming his fellow teammates. Harry told him to look at his face and how happy he looked, in comparison to the stiff smile he had while acting. Despite this, Teo refused yet again and asked to be kept in the competition.
In Crotune, Teo would mention Harry from time to time, such as recalling a memory of him soaking sauce on a dish that everyone was supposed to enjoy. He also expressed jealousy on Day 78 of Harry starting a new movie. Teo wondered what Harry would do with his own scripts, suggesting he would make them very popular and fun. He described Harry as very knowledgeable of the current trends and who can really work with the public. Despite this, Teo said Harry has a hard time with human relations and was unsuccessful with dating. "There were several folks that took a liking to him though they don't even know what he looks like. But his personality is ONE OF A KIND, so they all eventually left, saying they can't dare approach his world." On Day 79, Teo said Harry is much, much more unusual than we think, and that "while drinking we played The King Says, and we told him to go home just for fun but then he actually went home...." Despite his harsh feelings on Harry, Teo contacted him on Day 87 to get film advice on his synopsis, because he was the most objective person to give it. Harry responded late at night that they should get lunch. At the meeting, Harry told Teo his synopsis lacked style and that he couldn't find any traces of Teo in it. Despite accepting the feedback, Teo stated he never wanted to see Harry again.
== Route ==
On 30 November 2022, Harry's route was released. This update provided 100 days to chat with Harry.
On 3 May 2023, 100 additional days were added to Harry’s route.
[[File:Harry_Choi_Teaser.jpg|thumb]]
=== Cloudi "His Galaxy" ===
<blockquote>
''<small>* Get her a bouquet of flowers that reminds me of her on the street</small>''
''<small>* Plan a trip for the two of us</small>''
''<small>* Be truly grateful when she looks out for me</small>''
''<small>* * Speak out whenever I feel my love for her</small>''
<small><br />
''That should do for the day.''</small>
''<small>I love you.</small>''
</blockquote>
=== Burny "Definition of Love" ===
<blockquote>
''<small>Burning up all my love to treasure you.</small>''
''<small>And not being afraid of the leftovers of fire.</small>''
''<small>That is my definition of love.</small>''
</blockquote>
==== Day 35 Confession ====
In Harry’s route, the player is the first to confess. The confession occurs on day 35 titled “Confession.” In the breakfast chat, Piu-Piu encourages the player to confess since it believes they have a potential of love. Piu-Piu gives the player a choice between a comical or serious confession. The actual confession occurs during the dinner chat. In the chat, Harry rejects the player, refusing to be in a relationship with them. If the player chose a comical confession, Harry will state that it makes him uncomfortable even though the player confessed as if it was nothing.
=== Pi "Love Is Getting Warmer" ===
<blockquote>
''<small>Lukewarm, neither hot nor cold.</small>''
''<small>Soft yet not so plushy, and certainly not hard.</small>''
''<small>My daily life was so boring and mundane, but it changed so much ever since I met you.</small>''
''<small>Just like hot, soft pie freshly out of the oven.</small>''
</blockquote>
=== Momint "Why Do Humans Fall in Love?" ===
<blockquote>
''<small>Love doesn’t necessarily keep people happy all the time.</small>''
''<small>Love could hurt people. Or even make them unfortunate.</small>''
''<small>Still, people always fall in love and seek someone to love.</small>''
''<small>Some say humans were made by god, but I wonder - is it love that drives humans forward?</small>''
</blockquote>
==== Day 100 Confession ====
In the bedtime chat of day 100 titled, “Shower of Stars,” Harry confesses to the player. He states that he wants to be with the player under their constellation. After confessing he says it feels like the stars will rain down on him. After the chat, the player can answer a call from Harry.
=== Mewry "Bystander" ===
<blockquote>''<small>Laughing out loud in joy.</small>''
''<small>Shedding tears of woes.</small>''
''<small>Confessing your wound.</small>''
''<small>I think you need courage for all of this.</small>''
''<small>So far I've been a bystander to such phenomena.</small>''
''<small>But now I want courage to start my own love.</small>''</blockquote>
=== Tolup "A Time of the Two of Us" ===
<blockquote>''<small>To my special someone -</small>''
''<small>you are so wonderful, so lovely.</small>''
''<small>Perhaps I have used up all the luck I am spared with in my life in order to meet you.</small>''
''<small>I feel as if I'm with you whenever I think about you.</small>''
''<small>So please, listen to my heart as it blooms for you.</small>''</blockquote>
=== Crotune "Too Much Sweetness Brings Bitterness" ===
<blockquote>''<small>My daily life will simply flow.</small>''
''<small>I had no such thing as past full of yearning or future full of expectations.</small>''
''<small>But ever since I met you, everything feels sweet like candies.</small>''
''<small>Sometimes my tongue will ache from sweetness, but I'm always grateful to you.</small>''
''<small>I hope my daily life will not melt down for good.</small>''</blockquote>
=== Vanas "Chosen Ones" ===
<blockquote>''<small>What are the chances of complete strangers meeting up and falling in love?</small>''
''<small>They were born in the same universe, living in the same timeline, until they were drawn to each other and took courage to confess.</small>''
''<small>It's no coincidence - I don't think so.</small>''
''<small>I bet they were chosen for true love.</small>''</blockquote>
==Trivia==
* Harry has been a swimmer since his childhood
* Harry does not have a hobby - he is good at everything...
* Harry is tall. It actually runs in the family.
* It is easy for Harry to grow muscles. It lies in the way his body was shaped upon birth.
* Harry has a lot of pajamas, since he tends to spend lots of time at home.
* Harry hates sleeping in the cold. So he tends to turn himself into a caterpillar in a blanket as he sleeps.
* Harry is bad with directions, yet he never tends to maps.
* Harry likes whiskey, but he is not a strong drinker.
* You have no idea how sensitive Harry was when he was a child...
* Harry is interested in architecture due to the experience he had while studying abroad as a child.
* Surprisingly, Harry is shy with compliments.
[[File:HarryPhoneTeaser.png|400px]]
4f2cea67e1a4e7f3d9da43208c645b80bbce4df6
June
0
1005
1920
1904
2023-11-24T04:44:46Z
T.out
24
/* Free Exploration 1 "The wait and fate" */
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''<small>After 639 days of waiting, the universe answered.</small>''</blockquote>
<blockquote>
''<small>Freely exploring the Infinite Universe.</small>''
''<small>From day one, the intense love energy unleashed free exploration technology.</small>''
''<small>The power of imagination can take you anywhere.</small>''
''<small>And you finally realize that your encounter was the destiny the universe had planned.</small>''
''<small>[Director of Research, Dr. C]</small>''</blockquote>
<blockquote>
''<small>Can imagination turn a timid heart into a courageous one?</small>''
''<small>Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?</small>''
<small><br />
''Reach out to the timid heart that is holding back.''</small>
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
c6ce490de79f3c244733b5a676f26bdfb75679f6
1921
1920
2023-11-24T04:49:44Z
T.out
24
/* Trivia */ Added June phone teaser image
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''<small>After 639 days of waiting, the universe answered.</small>''</blockquote>
<blockquote>
''<small>Freely exploring the Infinite Universe.</small>''
''<small>From day one, the intense love energy unleashed free exploration technology.</small>''
''<small>The power of imagination can take you anywhere.</small>''
''<small>And you finally realize that your encounter was the destiny the universe had planned.</small>''
''<small>[Director of Research, Dr. C]</small>''</blockquote>
<blockquote>
''<small>Can imagination turn a timid heart into a courageous one?</small>''
''<small>Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?</small>''
<small><br />
''Reach out to the timid heart that is holding back.''</small>
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
[[File:JunePhoneTeaser.png|400px]]
4ee06b4cfac478a16542843be27d2d026386c1bf
1923
1921
2023-11-24T06:50:14Z
T.out
24
Added one dislike (I referred to an incoming lunch call "I hate shots" on Day 2)
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=Injections
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''<small>After 639 days of waiting, the universe answered.</small>''</blockquote>
<blockquote>
''<small>Freely exploring the Infinite Universe.</small>''
''<small>From day one, the intense love energy unleashed free exploration technology.</small>''
''<small>The power of imagination can take you anywhere.</small>''
''<small>And you finally realize that your encounter was the destiny the universe had planned.</small>''
''<small>[Director of Research, Dr. C]</small>''</blockquote>
<blockquote>
''<small>Can imagination turn a timid heart into a courageous one?</small>''
''<small>Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?</small>''
<small><br />
''Reach out to the timid heart that is holding back.''</small>
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
[[File:JunePhoneTeaser.png|400px]]
e7012fb6b48e40e777f3bf09259eae1a2d033ac4
1925
1923
2023-11-24T07:22:06Z
T.out
24
page is in Characters category
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=Injections
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''<small>After 639 days of waiting, the universe answered.</small>''</blockquote>
<blockquote>
''<small>Freely exploring the Infinite Universe.</small>''
''<small>From day one, the intense love energy unleashed free exploration technology.</small>''
''<small>The power of imagination can take you anywhere.</small>''
''<small>And you finally realize that your encounter was the destiny the universe had planned.</small>''
''<small>[Director of Research, Dr. C]</small>''</blockquote>
<blockquote>
''<small>Can imagination turn a timid heart into a courageous one?</small>''
''<small>Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?</small>''
<small><br />
''Reach out to the timid heart that is holding back.''</small>
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
[[File:JunePhoneTeaser.png|400px]]
[[Category:Characters]]
0d7c8b99d829bfd38d06de26878b20385ea52bfb
1926
1925
2023-11-24T07:24:10Z
T.out
24
Undo revision 1925 by [[Special:Contributions/T.out|T.out]] ([[User talk:T.out|talk]])
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Painting
|likes=Claude Monet
|dislikes=Injections
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''<small>After 639 days of waiting, the universe answered.</small>''</blockquote>
<blockquote>
''<small>Freely exploring the Infinite Universe.</small>''
''<small>From day one, the intense love energy unleashed free exploration technology.</small>''
''<small>The power of imagination can take you anywhere.</small>''
''<small>And you finally realize that your encounter was the destiny the universe had planned.</small>''
''<small>[Director of Research, Dr. C]</small>''</blockquote>
<blockquote>
''<small>Can imagination turn a timid heart into a courageous one?</small>''
''<small>Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?</small>''
<small><br />
''Reach out to the timid heart that is holding back.''</small>
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
[[File:JunePhoneTeaser.png|400px]]
e7012fb6b48e40e777f3bf09259eae1a2d033ac4
1933
1926
2023-11-25T04:31:36Z
T.out
24
Added more likes & dislikes
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Drawing and painting, browse galleries
|likes=Claude Monet, art, the ocean
|dislikes=Injections, bugs
|VAen=Kim Myung-jun
|VAkr=
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''<small>After 639 days of waiting, the universe answered.</small>''</blockquote>
<blockquote>
''<small>Freely exploring the Infinite Universe.</small>''
''<small>From day one, the intense love energy unleashed free exploration technology.</small>''
''<small>The power of imagination can take you anywhere.</small>''
''<small>And you finally realize that your encounter was the destiny the universe had planned.</small>''
''<small>[Director of Research, Dr. C]</small>''</blockquote>
<blockquote>
''<small>Can imagination turn a timid heart into a courageous one?</small>''
''<small>Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?</small>''
<small><br />
''Reach out to the timid heart that is holding back.''</small>
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
[[File:JunePhoneTeaser.png|400px]]
4f7d875609b9524a0c07fa54de130f61343d0f08
1935
1933
2023-11-25T04:38:34Z
T.out
24
Added June's voice actor name in Korean (referred to Cheritz's naver blog to find his name)
wikitext
text/x-wiki
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[June|Profile]]</div>
|<div style="text-align:center">[[June/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=June
|nameKR=준
|age=20
|birthday=February 9
|zodiac=Aquarius
|height=176
|weight=??
|occupation=Unemployed
|hobbies=Drawing and painting, browse galleries
|likes=Claude Monet, art, the ocean
|dislikes=Injections, bugs
|VAen=Kim Myung-jun
|VAkr=김명준
}}
== General ==
June is the third love interest of the game, and the first love interest added in season 2.
Added October 18, 2023
== Route ==
=== Free Exploration 1 "The wait and fate" ===
<blockquote>''<small>After 639 days of waiting, the universe answered.</small>''</blockquote>
<blockquote>
''<small>Freely exploring the Infinite Universe.</small>''
''<small>From day one, the intense love energy unleashed free exploration technology.</small>''
''<small>The power of imagination can take you anywhere.</small>''
''<small>And you finally realize that your encounter was the destiny the universe had planned.</small>''
''<small>[Director of Research, Dr. C]</small>''</blockquote>
<blockquote>
''<small>Can imagination turn a timid heart into a courageous one?</small>''
''<small>Can a heart that was once abandoned believe in the darkest hours that the DNA of recovery lies within them?</small>''
<small><br />
''Reach out to the timid heart that is holding back.''</small>
</blockquote>
The first season with June takes place in Free Exploration 1 titled "The wait and fate". This season spans from Day 1 to Day 30.
==Trivia==
*June drinks warm milk when he craves greasy food.
*The last time June broke a sweat... Um...... When was that...?
*One time, June mumbled that he wants to participate in a half marathon.
*Walk 3 minutes after every meal. This is a healthy old habit of June.
*Actually, June cannot read music scores.
*Do you know about imaginary friends? Apparently June had two besties.
*June is fond of his looks, but does not like his smile.
*June's hands are always cold... even in the middle of summer.
*June is yet to discover his signature perfume.
*Surprisingly, June is not that afraid of death itself.
*Actually, June's hair... is being held together by the power of hair essence...
[[File:JunePhoneTeaser.png|400px]]
4900a9f2d4f0a19faa954940658a9e0f53cee821
Teo
0
3
1922
1901
2023-11-24T04:52:47Z
T.out
24
/* Trivia */ Added Teo phone teaser image
wikitext
text/x-wiki
__NOTOC__
{|style="text-align:center; width:100%;border:2px solid rgba(0,0,0,0);background: rgba(0,0,0,5%)"
| <div style="text-align:center;">[[Teo|Profile]]</div>
|<div style="text-align:center">[[Teo/Gallery|Gallery]]</div>
|}
{{CharacterInfo
|nameEN=Teo
|nameKR=태오
|age=27
|birthday=July 7
|zodiac=Cancer
|height=185.7
|weight=72.3
|occupation=Aspiring film director
|hobbies=Walking, photograph, filming shooting
|likes=Fantasy movies, cute animals
|dislikes=Ghost, carrot, bugs
|VAen=Song Seung-heon
|VAkr=송승헌
}}
== General ==
Teo is the first love interest added to The Ssum. He has an outgoing and sanguine personality, instantly getting along with the player character in the prologue. His passion lies in filmmaking, something he talks about and seeks inspiration for almost constantly. Having as much passion as he does, he's also prone to being a workaholic, often working on something until he physically can't do it anymore. On days where he has nothing to do, he tends to feel distressed about his lack of productivity. This behavior might stem from feeling like he falls behind his peers, especially [[Harry Choi]], who became a renowned director soon after graduating university.
Teo is an observant person who often takes note of people and things around him during his walks. Even in mundane situations, he finds ways to think about the stories of his surroundings. This is part of his constant search for inspiration, as well as practice in honing his creativity.
On occasion he will talk about his close circle of friends, which includes [[Jay]], [[Minwoo]], [[Doyoung]], and [[Kiho]]. He met them during university since they all were in classes for filmmaking, and they kept in touch ever since.
===Beta===
Teo was the only character featured in The Ssum beta release in 2018. His design was strikingly different from the official release of the game. This version of the game only went up to day 14, when Teo confessed to the player. This version of the game also had a different opening video than the official release, with not only a completely different animation but also using a song titled ''Just Perhaps if Maybe''.
== Background ==
Teo grew up an only-child with his mother and father, who were a teacher and a director respectively. His passion for film came from watching his father work all his life, and he began pursuing film during high school. While his mother has always been an open and supportive figure in his life, his father remains distant despite their shared passion. There doesn't appear to be any bad feelings between them, though. One conflict that Teo recalls having with his parents, however, was their pushback against his dream of becoming a director. This event shattered his feelings about them for some time, but they eventually grew to accept it.
== Route ==
=== Vanas "Pleased to meet you! May I be your boyfriend?" ===
Takes place from day 1 to day 29. This seasonal planet focuses on getting to know Teo, why he has The Ssum, and what his life is usually like.
==== Day 14 Confession ====
On day 14 during the bedtime chat, Teo confesses to the player.
=== Mewry "My Boyfriend Is a Celebrity" ===
Takes place from day 30 to day 60.
=== Crotune "Dreams, Ideals, and Reality" ===
Takes place from day 61 to day 87.
=== Tolup "A Time of the Two of Us" ===
Takes place from day 88 to day 100.
=== Cloudi "His Galaxy" ===
Day 101 to 125
=== Burny "Privilege to Like Something" ===
Day 126 to 154
=== Pi "The One Who Has Set His Heart on Fire" ===
Day 155 to 177
=== Momint "Someone's Star, Somebody's Dream" ===
Day 178 to day 200
== Trivia ==
* The golden retriever Teo had during his childhood is in his top five favorite things ever.
* The muscle mass percentage and body fat percentage of Teo is 40.1 and 10.2 each.
* Did you know that Teo used to be very angsty during his adolescence?
* Teo has relatively long fingers and toes.
* Teo used to have a part-time job at a cocktail bar. His signature cocktail was...
* Teo’s piercing collection can fill an entire wall.
* Teo tends to have a cold shower when he is tired.
* One thing that Teo wants to hide the most is the grades he got for math.
* Teo is more shy than he looks.
* The selfies of Teo that he believes to be good tend to be bad selfies.
* Teo has been using the same username for every website since elementary school.
[[File:TeoPhoneTeaser.png|400px]]
f4045f8c1cde77bb463f297ce2c85bbf2c82d9ce
Story
0
296
1924
707
2023-11-24T07:16:22Z
T.out
24
Changed Routes into two sections: The Ssum <Forbidden Lab> and The Ssum <Love from Today> for Teo, Harry, and June. Also wrote some story info for June
wikitext
text/x-wiki
== Overview ==
== The Ssum <Forbidden Lab> ==
''The Ssum: Forbidden Lab'' is the first season of the game. This season includes only two ssum-one's, [[Teo]] and [[Harry Choi|Harry]].
=== Teo ===
=== Harry ===
== The Ssum <Love from Today> ==
''The Ssum: Love from Today'' is the second season of the game. This season includes ssum-one's [[June]] and an unknown one that'll be revealed in the first quarter of 2024.
=== June ===
Before downloading The Ssum app, June was one of the participants hand-picked by the Forbidden Lab. He was chosen and invited to participate in the love experiments, selected for the 'Love Right Away!' program. Although suspicious June agreed to join and signed up, filled out all required documents and was sent an exclusive code to download the app. He ticked every agreement box despite risking his privacy, as he thought showing everything about himself and his life will make his love match happy—which brought him peace of mind. After downloading, he already made up his mind to fall in love and be in a relationship with his potential match once they're found. After waiting and praying over 639 days for his match, he was matched the first time with the [[player]]. June believed the player is his faithful match right away, already in love even before meeting and knowing them, and wants to keep their relationship.
== Forbidden Lab ==
=== Origins ===
=== Planets ===
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Emotions Incubator ===
80d8b73795ebe0751d2de879f82c31ee9da75311
1929
1924
2023-11-25T03:55:20Z
T.out
24
/* June */ Added more info
wikitext
text/x-wiki
== Overview ==
== The Ssum <Forbidden Lab> ==
''The Ssum: Forbidden Lab'' is the first season of the game. This season includes only two ssum-one's, [[Teo]] and [[Harry Choi|Harry]].
=== Teo ===
=== Harry ===
== The Ssum <Love from Today> ==
''The Ssum: Love from Today'' is the second season of the game. This season includes ssum-one's [[June]] and an unknown one that'll be revealed in the first quarter of 2024.
=== June ===
Before downloading The Ssum app, June was one of the participants hand-picked by the Forbidden Lab. He was chosen and invited to participate in the love experiments, selected for the 'Love Right Away!' program. Although suspicious June agreed to join and signed up, filled out all required documents and was sent an exclusive code to download the app. He ticked every agreement box despite risking his privacy, as he thought showing everything about himself and his life will make his love match happy—which brought him peace of mind. After downloading, he already made up his mind to fall in love and be in a relationship with his potential match.
When June accessed The Ssum for the first time, the app was still at its early stages. There were no [[planets]] yet, the only thing he saw and had access to was [[Teo]]'s private diary when he was a college student.<ref>Day 5 [Cold and the Sea], lunch outgoing video call "It's Moon Bunny again"</ref>
After waiting and praying over 639 days for his match since downloading the app, he was matched the first time with the [[player]]. June believed the player is his faithful match right away, already in love even before meeting and knowing them, and wants to keep their relationship.
== Forbidden Lab ==
=== Origins ===
=== Planets ===
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Emotions Incubator ===
c073b2114f77411dd836789593272685feee7336
1930
1929
2023-11-25T03:57:59Z
T.out
24
Added a References section
wikitext
text/x-wiki
== Overview ==
== The Ssum <Forbidden Lab> ==
''The Ssum: Forbidden Lab'' is the first season of the game. This season includes only two ssum-one's, [[Teo]] and [[Harry Choi|Harry]].
=== Teo ===
=== Harry ===
== The Ssum <Love from Today> ==
''The Ssum: Love from Today'' is the second season of the game. This season includes ssum-one's [[June]] and an unknown one that'll be revealed in the first quarter of 2024.
=== June ===
Before downloading The Ssum app, June was one of the participants hand-picked by the Forbidden Lab. He was chosen and invited to participate in the love experiments, selected for the 'Love Right Away!' program. Although suspicious June agreed to join and signed up, filled out all required documents and was sent an exclusive code to download the app. He ticked every agreement box despite risking his privacy, as he thought showing everything about himself and his life will make his love match happy—which brought him peace of mind. After downloading, he already made up his mind to fall in love and be in a relationship with his potential match.
When June accessed The Ssum for the first time, the app was still at its early stages. There were no [[planets]] yet, the only thing he saw and had access to was [[Teo]]'s private diary when he was a college student.<ref group="In-game references">Day 5 [Cold and the Sea], lunch outgoing video call "It's Moon Bunny again"</ref>
After waiting and praying over 639 days for his match since downloading the app, he was matched the first time with the [[player]]. June believed the player is his faithful match right away, already in love even before meeting and knowing them, and wants to keep their relationship.
== Forbidden Lab ==
=== Origins ===
=== Planets ===
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Emotions Incubator ===
== References ==
<references group="In-game references" />
fcbc96c0fa1850ed8945dff43c441a340a0e4794
1931
1930
2023-11-25T03:59:03Z
T.out
24
wikitext
text/x-wiki
== Overview ==
== The Ssum <Forbidden Lab> ==
''The Ssum: Forbidden Lab'' is the first season of the game. This season includes only two ssum-one's, [[Teo]] and [[Harry Choi|Harry]].
=== Teo ===
=== Harry ===
== The Ssum <Love from Today> ==
''The Ssum: Love from Today'' is the second season of the game. This season includes ssum-one's [[June]] and an unknown one that'll be revealed in the first quarter of 2024.
=== June ===
Before downloading The Ssum app, June was one of the participants hand-picked by the Forbidden Lab. He was chosen and invited to participate in the love experiments, selected for the 'Love Right Away!' program. Although suspicious June agreed to join and signed up, filled out all required documents and was sent an exclusive code to download the app. He ticked every agreement box despite risking his privacy, as he thought showing everything about himself and his life will make his love match happy—which brought him peace of mind. After downloading, he already made up his mind to fall in love and be in a relationship with his potential match.
When June accessed The Ssum for the first time, the app was still at its early stages. There were no [[planets]] yet, the only thing he saw and had access to was [[Teo]]'s private diary when he was a college student.<ref group="Calls">Day 5 [Cold and the Sea], lunch outgoing video call "It's Moon Bunny again"</ref>
After waiting and praying over 639 days for his match since downloading the app, he was matched the first time with the [[player]]. June believed the player is his faithful match right away, already in love even before meeting and knowing them, and wants to keep their relationship.
== Forbidden Lab ==
=== Origins ===
=== Planets ===
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Emotions Incubator ===
== References ==
<references group="In-game references" />
0c341c7d3406c6a2b15539ca17eaeb945070df93
1932
1931
2023-11-25T03:59:51Z
T.out
24
wikitext
text/x-wiki
== Overview ==
== The Ssum <Forbidden Lab> ==
''The Ssum: Forbidden Lab'' is the first season of the game. This season includes only two ssum-one's, [[Teo]] and [[Harry Choi|Harry]].
=== Teo ===
=== Harry ===
== The Ssum <Love from Today> ==
''The Ssum: Love from Today'' is the second season of the game. This season includes ssum-one's [[June]] and an unknown one that'll be revealed in the first quarter of 2024.
=== June ===
Before downloading The Ssum app, June was one of the participants hand-picked by the Forbidden Lab. He was chosen and invited to participate in the love experiments, selected for the 'Love Right Away!' program. Although suspicious June agreed to join and signed up, filled out all required documents and was sent an exclusive code to download the app. He ticked every agreement box despite risking his privacy, as he thought showing everything about himself and his life will make his love match happy—which brought him peace of mind. After downloading, he already made up his mind to fall in love and be in a relationship with his potential match.
When June accessed The Ssum for the first time, the app was still at its early stages. There were no [[planets]] yet, the only thing he saw and had access to was [[Teo]]'s private diary when he was a college student.<ref group="Calls">Day 5 [Cold and the Sea], lunch outgoing video call "It's Moon Bunny again"</ref>
After waiting and praying over 639 days for his match since downloading the app, he was matched the first time with the [[player]]. June believed the player is his faithful match right away, already in love even before meeting and knowing them, and wants to keep their relationship.
== Forbidden Lab ==
=== Origins ===
=== Planets ===
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Emotions Incubator ===
== References ==
<references group="Calls" />
9f1a894ef9ac72d8833f03c6ce6a1fbab2be31c8
1934
1932
2023-11-25T04:34:32Z
T.out
24
wikitext
text/x-wiki
== Overview ==
== The Ssum <Forbidden Lab> ==
''The Ssum: Forbidden Lab'' is the first season of the game. This season includes only two ssum-one's, [[Teo]] and [[Harry Choi|Harry]].
=== Teo ===
=== Harry ===
== The Ssum <Love from Today> ==
''The Ssum: Love from Today'' is the second season of the game. This season includes ssum-one's [[June]] and an unknown one that'll be revealed in the first quarter of 2024.
=== June ===
Before downloading The Ssum app, June was one of the participants hand-picked by the Forbidden Lab. He was chosen and invited to participate in the love experiments, selected for the 'Love Right Away!' program. Although suspicious June agreed to join and signed up, filled out all required documents and was sent an exclusive code to download the app. He ticked every agreement box despite risking his privacy, as he thought showing everything about himself and his life will make his love match happy—which brought him peace of mind. After downloading, he already made up his mind to fall in love and be in a relationship with his potential match.
When June accessed The Ssum for the first time, the app was still at its early stages. There were no [[planets]] yet, the only thing he saw and had access to was [[Teo]]'s private diary when he was a college student.<ref group="Calls">lunch outgoing video call "It's Moon Bunny again", Day 5 [Cold and the Sea]</ref>
After waiting and praying over 639 days for his match since downloading the app, he was matched the first time with the [[player]]. June believed the player is his faithful match right away, already in love even before meeting and knowing them, and wants to keep their relationship.
== Forbidden Lab ==
=== Origins ===
=== Planets ===
* Vanas
* Mewry
* Crotune
* Tolup
* Cloudi
* Burny
* Pi
* Momint
=== Emotions Incubator ===
== References ==
<references group="Calls" />
676f25885756eb3f5b7fd7b482f45971874885f1
June/Gallery
0
1020
1927
2023-11-24T07:42:25Z
T.out
24
Added a Gallery page for June
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Free Exploration 1 ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
d6bdea6a5349c2312408dfaa4aeab261f4e70a6c
1945
1927
2023-11-25T07:15:41Z
T.out
24
/* Promotional */ Added June's promotional pictures
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Celebrating Chuseok, 2023.png|Celebrating Chuseok, 2023
D-7 until June’s Release.jpg|D-7 until June’s Release
D-2 until June’s Release.png|D-2 until June’s Release
① Meet “June,” the First Ssumone of Season 2!.jpg|< ① Meet “June,” the First Ssumone of Season 2! >
</gallery>
</div>
== Free Exploration 1 ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
5dda5ad5638419d1c636a88b9a187991c72111b4
1946
1945
2023-11-25T07:16:09Z
T.out
24
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Celebrating Chuseok, 2023.png|Celebrating Chuseok, 2023
D-7 until June’s Release.jpg|D-7 until June’s Release
D-2 until June’s Release.png|D-2 until June’s Release
① Meet “June,” the First Ssumone of Season 2!.jpg|< ① Meet “June,” the First Ssumone of Season 2! >
</gallery>
</div>
== Free Exploration 1 ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
43d087f62082176e0e3e855d81ca982c721538bd
1952
1946
2023-11-25T09:57:01Z
T.out
24
/* Free Exploration 1 */ Added two June photos
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Celebrating Chuseok, 2023.png|Celebrating Chuseok, 2023
D-7 until June’s Release.jpg|D-7 until June’s Release
D-2 until June’s Release.png|D-2 until June’s Release
① Meet “June,” the First Ssumone of Season 2!.jpg|< ① Meet “June,” the First Ssumone of Season 2! >
</gallery>
</div>
== Free Exploration 1 ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures (June).png| Prologue
1 Days Since First Meeting Bedtime Pictures (June).png| Day 1 Bedtime
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
f53239195d66d6da4ce4f51eb6dc3f334f3e8d3d
1955
1952
2023-11-25T10:02:32Z
T.out
24
/* Seasonal */ Added June's 2023 Halloween CG
wikitext
text/x-wiki
== Promotional ==
<div class="mw-collapsible mw-collapsed">
<gallery>
Celebrating Chuseok, 2023.png|Celebrating Chuseok, 2023
D-7 until June’s Release.jpg|D-7 until June’s Release
D-2 until June’s Release.png|D-2 until June’s Release
① Meet “June,” the First Ssumone of Season 2!.jpg|< ① Meet “June,” the First Ssumone of Season 2! >
</gallery>
</div>
== Free Exploration 1 ==
<div class="mw-collapsible mw-collapsed">
<gallery>
1 Days Since First Meeting Prologue Pictures (June).png| Prologue
1 Days Since First Meeting Bedtime Pictures (June).png| Day 1 Bedtime
</gallery>
</div>
== Seasonal ==
<div class="mw-collapsible mw-collapsed">
<gallery>
2023 Halloween (June).png| 2023 Halloween
</gallery>
</div>
== Bonus (Images Collected From Planet Pi) ==
<div class="mw-collapsible mw-collapsed">
<gallery>
</gallery>
</div>
9d3ed422b2c3b01a959cb6c62d54cb3a142ee6cc
Daily Emotion Study
0
436
1928
1900
2023-11-24T17:16:33Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|I imagine and draw my own version of heaven in a corner of my head, and I visit it! In heaven, I'm not sick, and I'm set up as a person with no problems.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || Peaceful|| Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|My perfect match who is love itself...♥ Thank you for listening to me and being with me from morning till night. I'll be with you till the day my Piu piu gets rusty and malfunctions♥♥♥
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|You've made it this far, and you've got Ms. @@! So it's all good.
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|I donated all my pocket money to the Leukemia Foundation... I was going through a very depressing time, and I was living with the thought that I might die at any moment. But after the donation, my physical condition improved and I felt better.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|If I had to save money, it would never be to be better than others... I would save for a good cause.
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
9d9f257b243ec4f62a1afa2e89248bcbfd70746b
1957
1928
2023-11-26T07:23:35Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|I imagine and draw my own version of heaven in a corner of my head, and I visit it! In heaven, I'm not sick, and I'm set up as a person with no problems.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || Peaceful|| Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|My perfect match who is love itself...♥ Thank you for listening to me and being with me from morning till night. I'll be with you till the day my Piu piu gets rusty and malfunctions♥♥♥
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|I remember my mother loving it... and my father hating it... and then getting a headache.
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|You've made it this far, and you've got Ms. @@! So it's all good.
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || || Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|I donated all my pocket money to the Leukemia Foundation... I was going through a very depressing time, and I was living with the thought that I might die at any moment. But after the donation, my physical condition improved and I felt better.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|If I had to save money, it would never be to be better than others... I would save for a good cause.
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
7c719b91d797bbd59db00f9db0d94260f1f88665
1958
1957
2023-11-26T21:06:02Z
T.out
24
Added one June response
wikitext
text/x-wiki
<blockquote>''This study is a mere tool to help you find your hidden self. The Doctor often says this to lab participants.'' ''<nowiki/>'Believe in your own potential!'<nowiki/>''
''From now on, skim through the topics. And then you can just '''unleash''' whatever that pops in your head, as if freely taking flight. (Cannot be contents that would be rated R)''
''The more lab data we get, the more attention you will receive from the Lab.''</blockquote>This feature gives players a prompt to respond to every day. The nature of the prompts correspond with the day's energy.
The daily emotion lab can be found on the lab screen of the app. Each day, a prompt is posted for players and love interests to respond to. This is an archive of prompts and the boys' responses to them.
{| class="wikitable sortable"
|-
! # !! Title !! Master Lab Bird’s ___ Study !! Question !! S1U2M3M4 (Teo)!! C1H2O3I4 (Harry)
!J1U2N3E4 (June)
|-
| 1 || Studying ‘No Thinking’ || Innocent || A report claims art born free from restrictions is much worthier than art born under calculations. If you are to freely create art, what kind of artwork should we expect? || I’ll come up with the masterpiece of my life and never return as an artist. I’ll spend the rest of my life nameless.|| If I were to be free... If i were to make use of my imaginations to maximum... Perhaps i want to go for something dangerous.
|
|-
| 2 || Searching Results for ‘Subconscious’ || Jolly || Suppose you are an influencer with over a million followers on social media. What would you post on your social media? || Parts of my life. But if I were an influencer, I guess I can post just about anything.|| A picture of carrots.
|Ack... I'm afraid I'd be overwhelmed... If I had to post something, I'd like to post something that encourages people who are terminally ill.
|-
| 3 || Unearthing ‘Subconscious’ || Galactic || Do you know how to space out? If you have a personal tip or two, please share with us. || Regardless of where I am, I’ll just gaze at my imaginations and grab the one with the longest tail. And I’ll let myself float with it. That way I’ll find myself in a haven without thoughts.|| No squaring jaws. No tightening in the eyes. No sleeping. And there you have it.
|I imagine and draw my own version of heaven in a corner of my head, and I visit it! In heaven, I'm not sick, and I'm set up as a person with no problems.
|-
| 4 || Letting Off Some Steam || Philosophical || It is said that 85% of people worry about money until they die. What do you think about this? || What a sad reality... But I’m curious about the remaining 15 percent. I wonder what it’s like to be free of concerns about money.|| The world is not fair. Which is why those that lack something will get to covet and even hurt the others... And it’s only natural.
|
|-
| 5 || Investigating ‘Nature of Emotions’ || Passionate || Ninety-nine percent of people want to be loved. Do you want to be loved? || I think I count as the remaining 1 percent. I want to love than to be loved. What matters more than being loved is deciding on whom to love. Speaking of which, I wonder who will get to receive my love today.|| I think i’ll get to answer this one if one day i get to learn what true love is. I’m having hard time differentiating between love and affection.
|
|-
| 6 || Investigating ‘Ego under Criticism’ || Innocent || Over 70% of people have a difficult time handling criticism. What is the criticism you have heard that hurt you the most? || I was really offended when someone told me I’m chasing a mirage forever in distance. But distance doesn’t matter in dreams. You can just dream whatever you want! Geez, I should have told him that!|| I don’t know why, but i’m reminded of the people who suffered because of my criticisms.
|
|-
| 7 || Calculating the Quantum of Self-Esteem || Jolly || We have brought you an experiment to boost your self-esteem. Tell us what you are most proud of yourself in 280 letters. || I’m just me! I don’t need 280 letters! Muahahaha!|| Trying to care about someone - perhaps that’s the least i can do to get myself classified as ’ordinary.’
|
|-
| 8 || Recording ‘How to Recover Self-Esteem’ || Peaceful || What would you tell yourself when you feel anxious? || It’s okay to be anxious or nervous. You’ll have plenty of time to relax. You can stay here to hide for a bit if you want.|| Tell urself that ur ok, and you will be.
|
|-
| 9 || Improving on ‘Possible Relationship’ || Peaceful|| Think of someone dear to you... And freely describe how you feel about that person. || Umm, I can never get enough time with you. My list of things to share with you will never grow short. Hey, this does make me feel warm. Hehe. Aww, whatever. I like you because you are you!|| You keep bothering me... Just you wait, i’m talking to you in a bit.
|My perfect match who is love itself...♥ Thank you for listening to me and being with me from morning till night. I'll be with you till the day my Piu piu gets rusty and malfunctions♥♥♥
|-
| 10 || Studying ‘Subconscious’ || || Write whatever you feel like writing. Maybe you’ll remember a precious moment you forgot about. || It’s so quiet today. And it’s so cozy here. I wonder what’s touching my cheek. It feels and smells familiar... Hey... This is the smell of the blanket I used to clutch to all day when I was young!|| I want some carrots, i shud tell big guy to grab some. When cloudy days return, for some reason i get more excited to talk to you.
|
|-
| 11 || Studying ‘Love’ || Passionate || Think of someone who is not nice to you... And freely describe how you feel about that person. No need to be nice! || I don’t care what you think. From now on I’d like to speak when I want to before I listen to you again. If you don’t like it, then just walk away.|| Umm, shud i write letters to myself? If i were to be either caring or honest, of course i’ll go with honest. I can handle hatred or loss, so do whatever you wish.
|
|-
| 12 || Studying ‘Memories’ || Jolly || When did you feel the greatest freedom in your life? || I feel like I’m being drifted to a new dimension when I’m holding a camera. There’s nothing there, except me, the camera, and the world we’re taking a look at.|| When nobody talks to me. When i’m home alone. Every moment when i talk to you - i’ll end up laughing a bit.
|
|-
| 13 || Studying ‘Graphs on Emotions and Customs’ || || Which worldly rule do you find most annoying? || How come people expect everyone to be somebody? You can be just you. After all, there’s only one of you in this world.|| Must have all meals. And dont be hopelessly rude when being social.
|
|-
| 14 || Investigating ‘Self-Realization’ || Philosophical || Who are you? What kind of a person are you? || Highly stiff. Always deliberate in the face of a choice, but deal with results without question. Want to be positive. Full of concerns and cute...? Still I love myself!|| A young master who has everything - the type that everyone hates. Who wants nothing but must have it once he wants something - and make it his forever.
|
|-
| 15 || Searching for Lost Courage || Peaceful || Tell us when you could not do what you wanted to do. || I remember when I was in the jungle. I should’ve explored some more, but the size of the bugs intimidated me. Geez, I can still feel the shiver around my neck.|| When i was young, i wanted to be free. But not anymore.
|
|-
| 16 || Studying Other People || Innocent || Do you happen to be jealous of someone at the moment? || Uh... I’m too embarrassed to write it here... I’ll just dub this guy Choi. But I envied him very, very little and briefly. I don’t envy him at all now... Hmph, I don’t like this.|| No but recently... I’ll be jealous of those who know everything about this certain someone that bothers me.
|To be honest, I envy my half-brother... Who doesn't?
|-
| 17 || Investigating ‘The First Rupture in Self-Esteem’ || Logical || Have you ever found a prize that did not meet your hard work? || I don’t like doing something for compensation. Based on my personal experience, you’d find magic when you’re not looking for anything.|| When i burned one fried egg after another.
|
|-
| 18 || Generating ‘Mechanisms for Defeating Loneliness’ || Peaceful || What do you want to hear the most when you feel lonely? || You are getting much more love than you’d think. I trust you as much as I trust myself. It’ll all be alright.|| Better be lonely than chained.
|
|-
| 19 || Concocting Subconscious and Desires || Passionate || What is the strongest desire you harbor at the moment? || I want to get the best sleep in my life. I really want those mattresses and pillows that astronauts use.|| I want to have a cup of black tea. And talk to you. And go swimming.
|
|-
| 20 || Investigating Stress || || What was the most stressful thing back when you were a student? || Some people threatened me I’ll regret it because they did in their past! Seriously, why do I have to walk on the path everyone else did? I’m okay with rough roads!|| My family’s expectations and greed.
|
|-
| 21 || Swimming in the Sea of Subconscious || Galactic || Close your eyes and imagine spilling your mind into the sea. Describe the pieces of thoughts that float to the surface. || The water might be freezing... And I doubt my mind can swim! No... I can’t let things end here... That’s the only thing I can think of. Hehe.|| I want to be on a no-man’s island with you. That way maybe i’d get to laugh often.
|
|-
| 22 || Knocking on the Self-Esteem Under Conscious || Passionate || Celebrity. Luxurious house. Luxurious bag. Freely describe what comes up in your head upon reading these words. || I can handle expensive clothes and bags really well. I’m not gonna let them sit in my closet. As for diet, I’ll be fine as long as I don’t force myself!|| Rachel...?
|I remember my mother loving it... and my father hating it... and then getting a headache.
|-
| 23 || Separating Conscious from the World || Peaceful || Have you ever felt nobody understands how you feel? || Even I don’t fully understand myself. There’s no way the world would understand me. I just have to compromise as I do my best with my life. And it doesn’t really hurt even when nobody understands me.|| Well, rather than understanding, i want no nuisance... And i’m sure i’m not the only one out there.
|
|-
| 24 || Studying Security || Philosophical || What would you call a ‘secure life’ for you? || I think nothing is ever certain in this world. I’d say same could be said of security. Life is restless, and you’d find stable life only in the afterlife. Was that too cynical?|| Almond milk. Shower. An uncrowded place. And the one person that matters to me.
|
|-
| 25 || Calculating the Value of Improved Self-Esteem || Philosophical || Have you ever been stressed out by your duties and social life? || Human relations, of course. I’m a frail human being, hurt AND comforted by my own kind.|| Is it that challenging to cut off ties with those that fall for false kindness and annoy you endlessly?
|I'm sorry... Pass on this question because I'm a kid!!!
|-
| 26 || Fighting Against Anxiety || Peaceful || What are you scared of? || I’m anxious I might never find the app developers.|| I’m scared, what if i fail to book my share of the freshly harvested organic carrots...? ...That sounded weird, i’m not really scared...
|
|-
| 27 || Blueprinting Purchase and Personality || Passionate || Think of something you have purchased recently. Describe it. || I bought a diary to use when I’m too sentimental for my own good. And it must be easy to rip off pages. This feature will prove useful when you find out you wrote something too cringey.|| Muffin pan. I’m tired of cookies now.
|
|-
| 28 || Picturing Love || Innocent || Let us call upon memories of love. Think of someone you love. Or someone you used to truly love. || You’ve spent all mornings and nights with me. Please keep doing that.|| Ur always with me, so ur... I’ll tell you the rest later.
|
|-
| 29 || Judging by Money || Logical || Sometimes money would serve as the guideline for the world. What is money? || Some say if money can’t buy happiness, that’s because you don’t have enough money. That’s partially true, but this is what I think: some types of happiness cannot be traded for money.|| Money is might. Which is why it can ruin someone.
|It seems that money is the thing that can smooth out people's wrinkles and make them feel less nervous...! - Patient son who made his parents suffer from hospital bills.
|-
| 30 || Feeling the Sense of Duty || Logical || Have you ever been barred from something you want to do because of your responsibilities? || I gave up a lot in order to focus on movies. And I’d thought I have to give up on love as well... But it looks like there will be tomorrow for my relationship.|| That’s what always happens when i’m working. I’d sit still despite this urge to rip off my mask and go home. Cuz legal dispute will annoy me even more.
|
|-
| 31 || Calculating the Level of Excitement || Peaceful || Tell us when you felt most excited in your life. || The moment when my movie was just about to be presented at a festival! I almost had heart attack from 100 percent of excitement and 100 percent of happiness.|| Every single moment i spend as i wait for your calls and chats.
|
|-
| 32 || Calculating the Level of Stress || Passionate || What is the greatest stress for you these days? || People asking me stuff when I’m feeling so complicated!!!!!! Just leave me alone!!!!|| Getting troubles the moment they seem like they’ll go away.
|
|-
| 33 || Balancing Conservative and Progressive || Logical || What is an aspect that makes you more orthodox or less orthodox than the others? || Conservative : I wanna be cool only to my girl. Progressive : I turn cute the moment I feel like I made embarrassment out of myself.|| Well, i might be conservative, since i’m opposed to changes. But then again i might be liberal, since i have no problem separating people and work from me.
|
|-
| 34 || Blurting in a Positive Way || || Gratitude. Thankfulness. Happiness. Read them through and blurt out whatever comes to your mind. Sometimes that is the best way to bring out what’s in your heart. || People who know how to be grateful know what happiness is like for themselves and others... Wait, I spoke randomly, but that was pretty good!|| Every positive word makes me think of you. And i like it.
|
|-
| 35 || Self-Cheering || Jolly || About 73% of people are not used to self-cheering. Give honest cheers for yourself - no need to say something fancy! || Hey, I know you’ve still got something under your sleeves! Let it loose and take this to the end!|| If i can meet your standards - if i can make you certain, that’s good enough for me.
|You've made it this far, and you've got Ms. @@! So it's all good.
|-
| 36 || Sending Letter to the Distant Future || Innocent || Think of an ideal person for you. And write a letter to that person. || Dear @@... I noticed you right away because you’re just like you from my imaginations. I have finally found you.|| Hope you become my queen. It wouldn’t be so bad to do what you tell me to.
|Hello. I wish you would call me every night, because it's really hard when I don't hear your voice much when we can't even meet... - Patient June who only has eyes for Ms. @@!
|-
| 37 || Picturing Most Ideal Image || Philosophical || What is your ideal family like? It doesn’t have to be realistic. || A family that kisses my cheek before and after sleep. But I’m not sure if it exists... Hehe.|| I respond to nothing... But i’d eat and do what i don’t want when i’m with you. I know this sounds funny, but it takes one out of million chances for this to happen.
|
|-
| 38 || Investigating Possible Improvements || || Most lab participants claimed they view themselves as faulted. What would you pick as your fault? || Hmm... I can’t think of anything. (3 seconds later) I wish I’d stop saying no the moment I’m accused.|| Well, people tend to gossip a lot of stuff about me. Like the way i talk. Or my personality. You name it, and they’ve got it.
|
|-
| 39 || Charging the Power of Wrath || Passionate || When you are mad, how do you show that you are mad? || Mince it → Bury it → Water it → Wish luck so it would be born good in the next life.|| I’d treat them invisible, even if they happen to stand right before me.
|I imagine something like breathing fire. FIRE!!!!
|-
| 40 || Surging Emotions || Peaceful || What makes your heart feel warm and soft just with a thought? || Sometimes I’d dream of Gold and myself burying my face in his soft fur. I’d hear his heart beating and feel reassured that he’s healthy, and I’d feel like crying. I wish I could see him tonight.|| A new set of black tea? I’m kidding. Of course i’m kidding. It’s poseidon... And i’m kidding. Again.
|Ms. @@ on a bad day. I want to run over and give her a big hug.
|-
| 41 || Searching for Happiness || Peaceful || What is a thing that could make you the happiest at this moment? Whatever is fine, no matter how small. || Diving into comfy blankets!|| Chilling by myself at home, quiet and clean. And talking to you.
|
|-
| 42 || Searching for the Target || || If there is a robot that will do whatever you want, what is the first thing you’d make it do? We will develop a high-tech robot based on the data you provide us. || No matter how powerless I look, don’t ignore me or rebel against me. That’s from a person dying of concerns that robots will take over mankind.|| I’ll protect the one i cherish, and i’ll get rid of those that annoy me so they can never do it again... You get what i mean, dont you?
|
|-
| 43 || Revisiting Memories || Innocent || What did you find entertaining when you were young? || Don’t talk to me. I have to finish this comic book uninterrupted.|| Reading, taking a walk... And i used to be fond of tetris, i was fond of this idea of getting rid of all the gaps.
|
|-
| 44 || Searching for Happiness || Peaceful || What would you want yourself to remember when you feel anxious or painful or have a hard time? || Hehehe. You think that’s the end of it?|| That sometimes happens. And it will eventually pass.
|
|-
| 45 || Searching for Another Me || || Relax and ask yourself deep within - ‘What do you want?’ || I wanna try meats roasted by a meat master... All by myself...|| You, quiet place, carrots, piano, poseidon. That’s about it.
|
|-
| 46 || Retracing Past Memories || Innocent || What do you find most memorable from your childhood? || Eating ice cream with Gold for one last time.|| When i was young i always had to move based on the schedule that was pretty much the same all the time, but i cant think of anything memorable. If i were to come up with smth, i’d saying getting to know tain and malong.
|
|-
| 47 || Defining a Relation || Peaceful || Close your eyes and think of your ‘friends.’ Which person can you picture most clearly? || Minwoo Kim. He cries so much these days. Maybe there’s something wrong with his tear ducts.|| ...That’s so not true... Fine. Let’s say it’s tain and malong.
|
|-
| 48 || Unleashing Emotions || Galactic || What is the idea that keeps you most occupied these days? || @@ & my movies. Space in my head is limited these days.|| You, of course.
|
|-
| 49 || Adding a Bit of Kindness || Peaceful || Among the painful experiences you have had, which one do you wish no one else has to go through? || Being hospitalized! If your body suffers, so will your heart. Sniffle.|| This fiancee came out of nowhere.
|
|-
| 50 || Loving Something for What It Is || || If you have ever found yourself stressed out because of your looks, tell us about it. || I think I got stressed when people forced their guidelines of beauty on me. It felt like they tried to compromise my impressions, and I didn’t like it. Because I want to be beautiful only to someone I consider beautiful.|| That never happened.
|
|-
| 51 || Unveiling What’s Inside || Peaceful || Have you ever made someone painful? || I can’t remember anyone right now, but I’m sure somebody had a hard time because of me. I’m sorry. I didn’t mean to.|| I think i did, although i didnt plan to. But i certainly wont do that to you.
|
|-
| 52 || Crying Like a Child || Innocent || Have you ever been disappointed by grown-ups, including your parents? || I remember how both of my parents tried to stop me from majoring in films. I didn’t get why my dad would say no when he’s a film director, and my mom said ‘no’ without a reason. That hurt.|| Once you get too disappointed, you’ll give up. And once you give up, you’ll never get disappointed.
|
|-
| 53 || Inspecting Purchase Records || || Tell us about an object you wanted but could not get. || I really wanted a script from a movie in a director’s cut version, but it was limited. So I decided to just forget about it, and I haven’t thought about it since. I’m sure it’s beloved by someone who really wanted it.|| There was this peculiar diorama at the auction. It was huge but came with fine details. Unfortunately i couldnt take part in the auction in the first place cuz i found out about the date later...
|
|-
| 54 || Searching for Saved Files || || What is the first favorite game you have found? || Puzzle, I guess? I believe I was a toddler back then...|| Rock paper scissors...?
|
|-
| 55 || Retracing Memories of Love || Galactic || Please write something that you couldn’t tell your friend or beloved. If you want to, we can send it as a telepathic message. || Oh, I’ll just use the telepathy. We share a separate channel.|| I dont believe in telepathy, but i wanna try sending it to you... I miss you.
|
|-
| 56 || Taking Your Side Unconditionally || Philosophical || Are you a good person or a bad person? || I’m good just about right and bad just about right. Because... I think I’ll be bad for now, and I’m not telling you why. Hehe.|| I’m sure i’m a bad person to somebody. But... I wanna be a good person to you. Only to you.
|
|-
| 57 || Developing Machine That Gets Rid of Concerns || A variety of studies || What is the thing that you have worried about the most all your life? || Obvious - it’s about my menu. I must stay attentive to my stomach all the time.|| This is a secret but... These days i’d get worried that i’ll disappoint you... I know. It’s funny.
|
|-
| 58 || Changing Battery for PIU-PIU || Peaceful || Write three things you are thankful for today. Anything is fine, whether it’s strange or completely ordinary. || 1. I’m still breathing. 2. I have my love with me. 3. The egg got shattered in the air in my hand, but it landed in the frying pan!|| My fridge is full of carrots. Poseidon has no problem with food. And youre with me, as always.
|I have 25 blueberries in my acai bowl (antioxidants) , got a faint freckle on the bridge of my nose (cute) , and my lips are a little more red (oxygen saturation).
|-
| 59 || Studying ‘How to Get Rid of Anxiety’ || Innocent || Is there anxiety deep down inside you? What is it about? || If I were to be honest, I’d say I’m caught with this ambition for success... Perhaps I’d find myself as a kid dying to become a person who would eclipse his father...|| I wanna be alone, but at the same time i dont want loneliness to take over me.
|
|-
| 60 || Taking Your Side Unconditionally || Philosophical || Is there someone you hate? What is one reason that stops you from forgiving that person? || I hate it how he acts as if he’s never been excited in his life. And I hate it how he acts as if he’s transcended all earthly matters.|| Becuz once you forgive, you can no longer hate... I think that’s why.
|
|-
| 61 || Listening to Heart || Innocent || Have you ever felt disappointed that you were not respected enough? || Recently I was having coffee at a cafe, and they passed out cake samples to everyone except me... This might seem unimportant, but I really needed sugar back then!|| I have to when i’m at my family’s mansion. But i’m not disappointed - i’m already past that stage - i’d say i’m unpleasant.
|
|-
| 62 || Studying Expectations || Logical || Tell us about the time when you were disappointed with something. || Every time I start up something new. I try not to look forward to it but I get to do it without knowing it... I’ve found only disappointment each time but time was the best medicine to heal after all.|| I think i said this before, but the only thing you need to drop is expectations. Try discarding expectations if you dont want to be disappointed.
|
|-
| 63 || Cheering || || Tell us if you have anything you cannot tell others but nevertheless want support or condolence on. || I wish someone would tell me, ’Go and beat Harry Choi at least once in your life, %%!’|| Protect me from evtng that tries to control me. Just let me be. That way i can breathe.
|
|-
| 64 || Generating the Energy of Courage || Jolly|| Let us say one day you are given infinite courage. What would you like to try? || I want to deliver a box of courage to everyone lacking courage. But of course, I’ll do that after I save 3 boxes under my bed.|| I wanna cut all ties with my family. And set off for a new life.
|I want to ask Jumin to eat tteokbokki with me... And... I want to go back and forth with dirty jokes with Ms. @@... -///-
|-
| 65 || Controlling Emotions || Philosophical || What do you do to defeat the woes that someone you love does not love you anymore? || Wait... How come it makes me sniffle...|| If you are to tell me you dont like me anymore... No. I’m not going there. I dont even want to imagine.
|
|-
| 66 || Giving Up on Doing Best || || What would you do when someone tells you that you should live your life to fullest? || Of course I’d ignore it. I’d like to ask if that person is doing just that.|| Why would you listen to that? You shouldnt give room for nonsense in the first place.
|
|-
| 67 || Playing Music || Innocent || Tell us about your favorite song and the reason why it is your favorite. || A brief instrumental piece with piano and humming. I feel like my ears are renewed when I listen to it in the middle of fatigue.|| It’s not my favorite song, but there’s smth i’d listen often these days. It’s the one i’m composing - a melody that personifies this certain someone.
|
|-
| 68 || Sunbathing || || If you compare yourself to a plant, what kind of plant would you be? A beautiful flower? Flowering bush from a greenhouse? Grass that grew in the wilds? || Trees with fruits! You can just eat fruits, add them to dishes, makes jams, or dry them to serve as tea!|| Tomatoes. I wish i could go for more carrots, but i bet it’s suffocating in the earth.
|
|-
| 69 || Taking Courage to Admit the Lameness || Peaceful || When do or did you feel you are as lame as you can be? || When I couldn’t be happy when others were. I couldn’t congratulate them or join them in celebration... Geez, I feel so lame again.|| Lame...? First of all, i’ve never used the term.
|When I got scolded by my mom and was upset but realized I had no one to tell. :(
|-
| 70 || Unleashing Emotions Within... || || Unleash your dark emotions sealed within... Don’t be afraid, and go for it... || No need to ask... This day has awakened the echoes of my heart, but I shall keep it deep within... This is my fate... My destiny...|| Everyone annoys me... If you dont stop annoying me, you shall taste the wrath of poseidon, along with mine... Is this how i do it?
|
|-
| 71 || Recording Today’s Feelings || || Jot down what you felt for the day within 280 letters limit. Just make sure you write freely and honestly! || Honestly I’d wish I can’t feel because feelings overwhelm me. And it’s impossible to describe my feelings in 280 letters! That must be why we get in relationships. You just need to focus on your heart.|| I’m sleepy. This is so annoying. I miss you.
|
|-
| 72 || Exchanging Opinions about the World || Logical || People say hard work will lead to success. Do you agree? || I think you’d need more than hard work. A lot of things are determined upon birth. But to meet people who’d make your life worthy, first you gotta be a good person.|| Give them a detailed guide. Teach them how to look at the world objectively before they can try. Do you think a minor genre can rise in popularity? ...That should give you an image of a certain someone, right?
|
|-
| 73 || Retracing Memories of Recklessness || Logical|| What was the greatest challenge you ever had? || Rebelling against dad for the first time. If I hadn’t done that, my career as a film director wouldn’t have started at all. The thing is, as long as my dad is active I’ll have to compete against him.|| Fried eggs... Though i dont want to admit it... Shoot...
|The challenge of believing every single day for 639 days that I can be in a relationship. My dream came true!
|-
| 74 || Sharing Memories of Happiness || A variety of studies || What is the happiest memory from your life? Recount from your childhood step by step. || Was it the time my dad wasn’t home...? When I lay in the living room in the afternoon, the sun beamed upon me. I fell asleep in the middle of a daydream and found myself in it. And I woke up at sunset. If I make a movie with this exact feeling, it’d be the best movie ever.|| The time i have spent with you - that i can assure you.
|My story of happiness started when I met Ms. @@. I feel like I wasn't living my life until then...
|-
| 75 || Splitting the World into Two || A variety of studies || Is there anything you’ve forced yourself to do in the past that you will never repeat, even on the brink of death? || The time when I tried to ditch the class, my shirts was ripped in half while crossing the wall at the backdoor. Didn’t know that I would go barechested like that.|| The brief period before my sense of identity was made solid - the time i had to spend like a marionette in my family’s hand.
|
|-
| 76 || Retracing Memories of the Past || A variety of studies || Have you ever been disappointed by something that is no big deal? || I rarely get disappointed. Once I got briefly disappointed when they were out of strawberry cereal, but it was okay. I found chocolate cereal right next to it. Yep, the misfortunes I find in my life these days are really small.|| Few days ago i placed an order for avocados. But they werent ripe, so i had to let them sit.
|
|-
| 77 || Fixing the Time Machine || Galactic || Imagine yourself in the future. What would you be like? || I’ll still be making movies somehow, but I’m quitting before people tell me my age is over. What I’m worried about nowadays is that I invest every money I earn in films... Will I be okay in the future?!|| I’ll be with you regardless of looks. I’ll be less dogmatic, and i’ll sometimes find surprises in the variety of the world. And find more depth within me.
|
|-
| 78 || Squaring Shoulders || A variety of studies|| Is there something that made you super-anxious recently? || I made pasta, but I ended up with pasta worth 3 servings. I couldn’t throw them away and just ate them, but they were endless. I wasn’t sure if I could finish them. It’s possible to get tired with something you like.|| Once i made a rather curt answer during our chat, and you were suddenly gone for about 3 hours. Luckily it was becuz ur phone ran out of battery, but before i learned that... Phew...
|When I accidentally released a rare creature into space...
|-
| 79 || Sending Smiles || Peaceful || Have you ever felt someone genuinely caring for you lately? || I’d feel this really often! I can feel her heart when I talk to her. She’s especially delighted when she fools around, so I just let her get me!|| Who else would make me feel like that?
|
|-
| 80 || Bathing in Bills || Passionate || Let us say you won the lottery. What would you like to do first? || I’m making my personal theater in home! I’ll place my collections of Blu-rays and DVDs at one side, books on the other side, and cameras at the back. Now I feel like I won’t do any work, making myself stuck there...|| I’ll just turn off my phone and stay quiet, alone, in my ordinary life, like i used to. And think about things like, how much i’ll donate to the carrot lab this time.
|
|-
| 81 || Throwing a Small Rebel || Passionate || Is there something bad that you nevertheless like or want to do? || TV series with crazy plots! You’d see characters shrieking in disasters after disasters, but none of them are real. I think that’s the beauty of such series. Once the shooting is over, they’d go home and eat with their families. That’s what life is about.|| Being generous to me but strict to the others... And is this supposed to be bad?
|
|-
| 82 || Looking for a Way to Fight Off Boredom || Jolly || Share with us an activity you do when you are bored and alone. || Talking to her. Reading through my logs with her. Taking pictures to send her. Otherwise I’d just daydream.|| Lego, playing piano, lying on my back... Huh, i do have a lot of hobbies.
|
|-
| 83 || Searching for a Soulmate || A variety of studies || Have you ever met your soulmate? || @@, I’ve wondered for years what a soulmate is, and I think you make your own soulmate, not find it. Though we met through this app, we decided to stay. Regardless... I really wanna meet you for real!!!|| If there is someone like that for me, i’d say it’s you, of course. And you agree with me, right?
|
|-
| 84 || Constructing the Rainbow of Happiness || A variety of studies || Have you ever felt like flying through the air out of elation? || When someone I love accepted my feelings, I think. I knew you feel the way I do, but I wasn’t sure if you’d say yes, considering the circumstances. If you said no, I would’ve stayed as a friend until I couldn’t handle the heartache anymore. I don’t wanna pretend to be friends with my love.|| Yeah... Sort of... When we connected.
|
|-
| 85 || Discussing Something Important and Boring || Peaceful || Do you think our environment is getting more damaged? What do you think about being eco-friendly? || City life isn’t really eco-friendly, but I’m trying. I’m using a tumbler and recycling! As for people who claim the icebergs will stay in one piece while they’re alive, please stay away from me.|| You shud take interest and make investment in ecofriendly campaign or business. Organic vegetables wont last for long once our environment is compromised for good. At least let’s not just watch human desire ruin the nature.
|
|-
| 86 || Booking a Flight || A variety of studies || If you are allowed to travel to only a single place, where would you like to go? || I wanna be wherever my beloved wants to be. What matters to me is whom, not where... And I bet we can make loads of memories!|| Doesnt matter where, as long as i can find you, silence, comfort, safety, and nice place to sleep in.
|
|-
| 87 || Installing Emotion Translator || Passionate || If you find a love potion, will you use it on someone? Who would it be? || Harry, I guess... Everyone asks why we’re not close, but difference in film preferences is like a river never meant to be crossed. If he comes to like what I like, maybe we’d become close, though I doubt that will ever happen.|| I wont touch on someone’s affection with such strange med. If there is one, i shud make sure no one feeds me with it.
|
|-
| 88 || Looking for a Solution || A variety of studies|| Have you ever felt anxious for no reason? Write about the experience. || Wait... Did I turn off the lights before leaving?!|| If it smells like lavender when i open the door, i shud close it quietly and leave... Cuz it signals that place is already haunted by malong.
|When I feel like Ms. @@ has forgotten me... She might think I don't exist because we can only talk on the phone... That's the trail of thought. I definitely exist... I'm here, still longing for Ms. @@ today.
|-
| 89 || Getting Ready for an Embrace || Philosophical || Let us say there is a friend who is in woes... What would you do to comfort your friend? || Staying next to a person who needs company. There’s no need to speak since being a good listener is no easy task. We don’t get enough experience in talking about ourselves, so you’d need time with consolation.|| Leave them, until they can cope with their own emotions. They are sad cuz they are sad.
|
|-
| 90 || Searching for the Yearbook || A variety of studies || Think about your school days. What place can you think of? || The club room! I learned more than I could in classes, and I especially liked the nighttime club. Souls who don’t wanna go home are bound to connect, so we shared such deep stories. Half of my dreams from then came true, and half of my concerns from then are gone.|| There was this tiny path among the bushes in the garden at the dorm. I used to take a seat there in silence. The wind was kind of chilly, but sometimes i could get clear view at the stars.
|
|-
| 91 || Recording Emotions || Innocent || Jot down the negative emotions slumbering within you, such as anxiety, fear, disappointment... || I complained to PIU-PIU that I miss her, and later it said it’s under update, perhaps because it got annoyed. Honestly, I think it was a lie. I don’t see any change.|| I’m not sure how to define what i’m feeling, but this always happens when i meet teo. He annoys me, and he makes me wanna torment him... Sometimes he makes me feel unpleasant, but sometimes it’s fun to watch him... Which is why he annoys me even more.
|
|-
| 92 || Rebelling || || Is there something that you do only because it is your responsibility? || Cleaning the bathroom... I like keeping things tidy, but I really hate doing it. It makes me realize how dirty human beings are.|| I know there’s nothing i can do about the terms on the contract, but...
|
|-
| 93 || Being Jealous || Peaceful || Be honest and tell us about someone you are jealous of. || Jay. He becomes friends with everyone. I like people, but I have to try to be friends. As for him, nothing’s impossible. He wouldn’t even mind if I tell him I’m jealous. That’s what I’m most jealous about him.|| No. Why would i compare myself to the others?
|
|-
| 94 || Looking for the Past You in Faded Memories || Philosophical || What were you like 10 years ago? || Honestly I was a jerk in the past! I was demure on the outside, but I kind of ignored others in reality. I was like, ’You know nothing about me!’ But even I didn’t know myself. Even now I don’t know me.|| Just ordinary. Interested in nothing, including friends. Too lazy to have a relationship.
|
|-
| 95 || Giving the Energy of Courage || || What do you think would have changed in your life if you were braver than you are right now? || Less thought, more action. That’s what I would have done if I were to be braver. And perhaps I would have beaten Harry. Which would have helped me get rid of this insecurity I feel regarding him.|| I would have emancipated myself from my family. And perhaps i got to draw some more.
|
|-
| 96 || Studying Pick-Me-Up Charms || || What do you think would give you strength if you were to hear right now? || How are you doing? I missed you. That’s my favorite line. And I’m going to reciprocate with just that.|| I want you to call out my name. Make my heart alive and beating again.
|
|-
| 97 || Getting Ready for Emotional Input || A variety of studies || Jot down all the words and sentences you can think of when you hear the word ‘mother.’ No need to make them make sense! || Carefree. Music. Violin. %% the pup. Should I call her? She can be random. Sweet and sour pork with mushrooms. Why did she ever fall for my dad?|| Owner of an art gallery. Her relationship with my father is purely business. She’s adept at lying and manipulating others. That’s about it. I wouldnt have been close to her even if i didnt know what her nature is like.
|
|-
| 98 || Getting Ready for Random Words || || Jot down whatever that comes to your mind without filtering it. We are ready to accept whatever data you provide us with. || I want some... Peperroni? Pepperoni? I always mix up this word, and it’s even more confusing when I jot it down. But I don’t mix up olive and Oliver. Why is that?|| While i was having some wine, i was suddenly hit by an inspiration that led me to the piano. It would have been a fine piece if i worked on it, but now i dont remember it. I shud have jotted down the notes.
|
|-
| 99 || Concocting Supplements || || Do you have a personal tip to keep yourself healthy? || I usually jog, but I don’t think I jogged a lot recently. As I lie in regret, I’d feel uncomfortable. But my body would be happy. I guess my body would always betray me. Like how food with high calories is good for your tongue but bad for your body.|| Having meals based on vegetables. Swimming. Moving without thinking... Wait, these arent necessarily the habits i nurture for my health.
|
|-
| 100 (old) || ''Touching on a Sensitive Topic'' || A variety of studies || ''Is there anything you would like to say regarding politics? Let us respect what everyone has to say!'' || ''Easy. It’s about being against discrimination and phobia. And I am prone to making mistakes. If you think you know something, you gotta ask yourself if you really do. And since I’m a movie director, my movies do the talking when it comes to politics.''|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 100 || Catching up on the hottest news || A variety of studies || Tell us your thoughts on recent social trends. Remember to respect everyone’s opinion! || Trends seem to change really fast. Speaking from a movie director’s perspective, I must catch up on them while not letting them get the best of me. Finding that sweet spot is the key. Which is, frankly, really difficult to do.|| I’m not interested in any of those - what’s the point of wearing new clothes if they don’t suit me at all?
|
|-
| 101 || Retracing Things on Want-To-Do List || Jolly || Look back on your daily life. Are you being dedicated to what you truly want to do? Or are you compelled to occupy yourself with your responsibilities? || The things I don’t wanna do right now are usually required to do what I want to do. So in a way, they’re something I’d want to do.|| I’m trying - sort of - to do only what i want to do. And i’m talking to you cuz i want to. Honestly.
|
|-
| 102 || Making Small Hobbies || Passionate || Share with us something you are really into these days. || Badly made cheap movies. But maybe I’ve watched too many of those. I’d find some of them decent. This is bad... Maybe I’m losing my judgment...|| These days i’m spending a lot of time looking after poseidon. Sometimes i will leave my tea sit cold as i watch poseidon eating.
|I'm in awe that a person can love another person this much!
|-
| 103 || Unleashing Emotions || A variety of studies || Jot down what you feel right now - do not mind what others would think about it! || I miss you. I’m sure you’d know, but I wonder how in world we ever got to meet in this vast world. I wonder how much serendipity we had had.|| I’m tired, i wanna take a nap... Tbh i wish you are with me when i’m taking a nap. I bet that will make me feel even more at ease.
|
|-
| 104 || Encountering a Strong Person || Passionate || When do you tend to be strong? || When I feel like it’s all or nothing. It’s different from a desire to do something. It’s when I don’t care even if I fail. That’s how I started my career, my friendship, and even my relationship!|| When it’s quiet and free. And when you need me... I guess.
|
|-
| 105 || Asking Heart || A variety of studies || What kind of a person are you? We would like to know what YOU think. || A person trying to be honest to myself. A cute person. For your information, ’cute’ isn’t from me. Lol|| Just human. I may be bit cold and uncaring, but i’d say i’m human enough.
|
|-
| 106 || Discovering the New You || A variety of studies|| Think of a strength you have that nobody recognizes but nevertheless is precious to you. || If I know I can’t make it, I’ll give up. It’s much better to instead work on something I’m good at.|| I have pure taste buds. Period.
|I actually have perfect pitch, but I think my vocal cords are a little damaged from singing while pretending I don't.
|-
| 107 || Planting an Apple Tree || Jolly || If your life is to end in 3 days, what would you do? || First, I’ll spend my time with my family. Second, I’ll spend time with my friends. Third, I’ll spend my time with you. But I won’t be happy. Because I’d hate to leave.|| I dont have much to sort out, so i’ll be no different from what i am. I’ll simply say bye to a couple people - and i’ll spend hours saying bye to you.
|I'm going to tell Ms. @@ all the things I love about her, and I want to spend one whole night discussing each other's philosophies. I'm going to thank my parents, hope that Ms. @@ finds someone better than me, and... Oh, I'm tearing up.
|-
| 108 || Collecting Data on the World You Seek || Philosophical || If you are to have children (or if you have children), how do you want them to grow? || A world in which we are free to do what we want. I’m spending 200 days out of 365 days like that. As for the rest, I just spend them.|| My children? I didnt even think about this topic. I’d say theyre free to do whatever they want, as long as they dont commit crimes.
|
|-
| 109 || Self-Satisfying || Passionate || Is there something you bought without expectations but later found to be extremely satisfying? || An expensive body wash. I thought it’s too expensive for something to be washed away, but it smells so nice. When someone asks what perfume I’m wearing, I’ll feel elated. Because I rarely wear perfumes.|| I had this black tea at a small cafe, and i bought some. It was a totally random encounter, but i liked how well blended it was. But when i had it at home, it wasnt that good.
|
|-
| 110 || Rewinding Biological Rhythm || Jolly || What were you like when you were young? We wonder if you used to be different from who you are right now. || I was totally different. I was much more gloomy, less talkative and had trust issues. I like people, so I didn’t want to be hated. But mom told me 2 out of 5 people are bound to hate me no matter what, and that made things much more convenient for me.|| Same, though i was more cooperative back then. But i wasnt that happy, just tired - you can thank tons of schedules for that.
|
|-
| 111 || Destroying Chains || A variety of studies || Step 1 - empty your mind and look around. Step 2 - observe things around you one by one. Step 3 - tell us what came up in your mind. || Wait, my clock is wrong. I think I stopped checking time because of my phone. Which reminds me, where did I put my watch?|| I did what i was told. I’m in bed, and i’m immediately looking at the ceiling. I will close my eyes and go to sleep, once i’m done talking to you.
|
|-
| 112 || Self-Discovering || Logical || Give us a detailed description of ‘success’ to you. || Success means turning pressure into joy, I think. In my opinion, you’d get less regret if you enjoy. But in order to enjoy, you must not stay occupied with success.|| These days i’d say it’s a success when i get to laugh with you for the day.
|
|-
| 113 || Deliberating Between Two Options || || Which would you choose? Life full of joy but far from security? Or life that is secure but devoid of joy? || I already did. It’s enjoyable yet unstable. Now I’m doing my best to do something enjoyable and stable.|| I prefer a job that is both secure and entertaining. But if i were to choose, i’d go for smth entertaining but not secure. At least i wont get mad when i have fun.
|
|-
| 114 || Preparing a Dish for You || Jolly || What is the food that you want the most right now? || I love meat. Meal of the day is the topic that troubled me the most throughout my life. I’d even think about what to eat as I’m eating.|| I’m not hungry right now... Hmm... I think i wanna try carrot ice cream. All i need is someone to come up with one.
|
|-
| 115 || Studying ‘How to Defeat Stress’ || Logical || Give us details on a recent experience when you were sick, physically or emotionally. || When I hit the door frame with my foot... I cursed the existence of the door frame, but then I’d blame myself for being careless. But seriously, do we NEED door frames?!|| When i cant talk to this someone i’m conscious of. My head would throb, probably becuz i’m worried.
|
|-
| 116 || Analyzing Something You Cannot Give Up || A variety of studies || If you are to live with someone, what would be your greatest concern? || I really hope my roomie is neat... Please... But it doesn’t matter if we use separate bedrooms! All I need to do is to close the door. But there will be trouble if we share the bed... I tend to wrap myself in blanket in my sleep.|| I dont like the idea of being with someone in my space, but if it happens to be you... I might as well end up sticking right next to you.
|
|-
| 117 || Taking in Things the Way They Are || || Give us one thing about yourself that improved from the past. || I’ve come to hope than to worry! Because I want her to see only good things about me. And I’d say that can serve as my weakness.|| I’ve come to understand the meaning of care and love ever since i met you.
|
|-
| 118 || Observing the World in an Analytical Way || Logical || What do you think we must do in order to meet a huge success? || Having 100 people means having 100 rules of success. So I don’t know how hard-working we must be. I just hope we can be successful without too much work!|| If you get obsessed with success, it will run away from you. Just do what you want to do, and success will naturally find you. Oh, and you should think bigger than what you see.
|
|-
| 119 || Expressing Raw Emotions || Passionate || Love happens in more than one way. What type of a relationship do you prefer? || A lasting love with my love, of course. I think we’d get to experience lots of things if we keep our relationship. Anything is possible, except dating a lot of people!|| Respecting each other. I never knew how to do that before i met you.
|
|-
| 120 || Recruiting Agents to Destroy Concerns || Jolly || Freely jot down what troubles you these days. We will send you an agent to help you deal with them, based on what you jot down. || You mean it? First of all, I want you to clean every corner of my home. Then place a pizza on my table and call @@ for me. I want to enjoy a date with her.|| These days malong would call me too often. Is there a place where phone signal does not work? I’m gonna ship him off there.
|
|-
| 121 || Respecting Preferences || Philosophical || What type of a person do you have difficulty getting along with? || A selfish person. But I think I’m not the only one. Such people would play innocent even if others point out how selfish they are.|| Someone who cant tell when to silence their personal feelings. Someone who tends to laugh over trouble they caused. Someone who never voices themselves. Someone who has passion but no talent... Should i continue?
|Someone who asks me to wrestle for fun......
|-
| 122 || Specifying Members of a Family || Galactic || If you are to have a family you have always dreamed of, what would it be like? || I’ve never imagined what it’d be like... But I wonder... Should I make memories with cameras like my dad did? When I was young, I hated how my dad would be busy with cameras all the time. But I understand why he had done so.|| You should know how things work if youve ever heard about my family. So i have no fantasy regarding a family. But when it comes to you... I dont know, maybe things will be different if you are to become the queen of my house.
|
|-
| 123 || Getting to Know a Family || Galactic || Normally, parents are the people to get involved with children’s life for the longest amount of time. How well do you think your parents know you? Give your answer in a percentage. || About 60 percent, I guess? They know that much about me, but they don’t show it - that’s the point. And children would always say things that are opposite to what their parents would say.|| A percent - or is that too much? We dont care about each other.
|
|-
| 124 || Getting to Know the Within || || Ideas that randomly come up are highly due to what your subconscious wants. What is the idea that came up the most for the day? || There’s this song that I I’m trying to remember the title for days. I know it... But even my friends couldn’t tell me what it is. Maybe this is a song that I made. It might be a huge hit if I release it.|| I’m tired, i wanna rest, i wanna sleep - if this came out of your desire, it means you are in good need of sleep. Oh... And one more thing. ‘I miss @@.’
|
|-
| 125 || Unleashing the Knowledge Within || Philosophical || Let us say your friend is in trouble because of social relations. What advice would you offer? || I’m not giving one. In the past I used to be all suspicious if someone gave me an advice. I believe you must not hide from your own grief if you want to fix it.|| If you dont like this someone, you dont have to work so hard to get close to them. Btw, are you sure you want my advice...?
|
|-
| 126 || Studying Perfection || Logical || Have you ever been a victim to perfectionism? || Yes, when I just got started with movies. But it turned out what caught me was stubbornness, not perfectionism... And I’d say perfect is a subjective term.|| No, i’m just me.
|
|-
| 127 || Concocting Supplements for You || || Talk to your body for a minute. Is your body in a good shape? || I’m not healthy enough. I get tired at night. That’s the case for most people, you say? Nope! Sometimes I want to be a robot that can work all day!|| I’m a bit tired, but i’m healthy enough.
|
|-
| 128 || Studying ‘How to Fight Off Offense’ || Philosophical || Let us say you have met again someone who has hurt you. What would you do to keep yourself safe? || I should avoid whenever I can. Although it does feel like I’ve grown a lot, a trip is all I need to fall back on my knees.|| Just ignore them - dont let them get into your life.
|
|-
| 129 || Looking for a pet || || If you are to have a pet, what would you choose? For your information, I am a parrot. || I prefer dogs - I bet PIU-PIU will be unhappy to hear that. Haha. But more importantly, I’m gonna discuss with my love before I decide on a pet.|| I dont need pets other than poseidon - and i certainly dont need a parrot.
|
|-
| 130 || Turning Jealousy into Energy || Innocent || Which has happened to you more often? Being jealous of someone? Or having someone be jealous of you? || I bet I have been jealous more often. I’ve been jealous of my dad. And Harry. And I’d often be jealous of my friends. I just try to stay away from such thoughts. But I could improve in the meantime. Once my growth is complete, I’ll be far from jealousy!|| The latter. But if you are to become fond of someone... Maybe i’ll go for former.
|I've been jealous often, especially of normal, healthy people struggling with everyday problems.
|-
| 131 || Creating a Rude Title || Innocent || If you are to have a dream in which you are free to be rude to people, who would you talk to? || XXXXX XXXX XXXXXX XXX! XXXX XX XXXXX!!!!!! XX! XX! Hey, that feels pretty good! XXX! XXXX!|| No. Cuz that means you still care about that person. I’d rather get more sleep if i have time for revenge. Oh wait... This is a dream.
|
|-
| 132 || Activating Time Accelerator || || Let us say you are 90 years old! What would you be like once you are 90 years old? || Wow, 90...? That’s too old. It’s scary. Given that I’m healthy, I hope I’m enjoying the remainder of my life with @@. I’m not making movies anymore. By then I would have made plenty already.|| I hope i’m an old man still nibbling on carrots and swimming everyday. Oh and... I hope ur still with me.
|
|-
| 133 || Making Flyer to Find Someone || Philosophical || Tell us about a person that you wish to be with. What is this person like? || Do I have to stay with a person? I’d like to be alone... But it’d be better if I could find a friend as close as a family, with whom I can discuss movies.|| Kind, funny, noisy sometimes, but nevertheless talented in making me laugh... No, that’s just you. I want you to stay with me.
|
|-
| 134 || Studying Human Subconscious || || Have you ever enjoyed stimulation or depression within like some artists would? || I’ll be full of emotions when I’m replying to these topics. I thought this is what they’re meant to do. I hope nobody would see it, but then again I want at least one person to notice it without asking if I wrote it. So what I’m saying is... Leave me alone when I’m replying to these topics!|| Sometimes i’d feel negative, but i dont enjoy such feelings. A tragic hero is far from what i am. I dont wanna be one.
|
|-
| 135 || Hoping to Take a Job at a Bill Factory || Jolly || If you can live free from monetary concerns, what kind of life would you have? Rich and luxurious? Ecofriendly? Unusual and freaky? There are a lot of options to choose from. || I want to spend a day really rich and luxurious, the next day in a eco-friendly way, and the next day as a freak... And I’ll keep separate houses to use for each day.|| If i have a lot of money, i wanna change the economic system itself. I dont like the idea of ‘money being power.’ Money shud simply be a tool.
|
|-
| 136 || Keeping an Assistant Mode || Jolly || What would it be like if you were to be a celebrity? || It’d be annoying. I wish to stay as a person who can grab a huge bite out of my burger without minding others. Or as a person who can just walk away after spilling drops of coffee.|| I’m already famous, although that happens under a horse mask. Not that popularity changed my life.
|
|-
| 137 || Generating Cells of Love || Passionate || If you have a friend who wants to be in a relationship but cannot find one, what kind of advice would you offer? || Minwoo, I’ve given you so many advices on clothes, hair, and date... But they were no use. So I hope you can manage yourself. If you’re having a hard time, I can reserve a night to drink with you.|| Dont get drunk in your own emotions and look at the reality. Most of the relationships are business. You should see what ur missing as a business party, or you shud just give up. Who knows? Maybe you will get to find ‘love,’ and that doesnt happen to everyone.
|Obviously The Ssum! The Ssum, no doubt about it! Just download it and wait 600 days.
|-
| 138 || Looking for Your Special Trait || Logical || Is there something that you will never let anybody best you? || Loving my love. I want to give her the biggest love she can ever experience in her life.|| No. I dont care if i lose. Anyone’s welcome to beat me.
|
|-
| 139 || Inspecting Pros of Money || Jolly || Let us say you are given a huge amount of money, available for use only when you are willing to help someone with it. How would you spend it? By the way... By ‘someone,’ it includes you as well. || I’ll make donations for polar bears. I feel bad for using a lot of plastic. I heard we need top predators to keep the natural balance.|| Build a second carrot lab, i guess? And i’ll make myself a vvip.
|
|-
| 140 || Searching for a Long-Term Hobby || Innocent || Let us say you have opened a MeTube account, to be active for one year! What kind of channel do you want it to be? || I want to work with movies because I don’t want to force myself to start the camera every single day! I’m busy enough digging a single topic. I don’t want to torture myself, trying to find different topics everyday.|| I’m answering this simply becuz it’s what if - how about a channel that plays piano from time to time? Or a channel that shows poseidon having fun?
|
|-
| 141 || Thanking a Relation || Philosophical || Tell us about your acquaintance that you admire and the reason why you admire this person. That will make our research much easier. || For some reason, I feel admiration for people who are on the subway train at 6 in the morning. They actually have a place that needs them at such hour, and it’s not easy to start a day when everyone else is asleep.|| I dont have anyone worthy of notice around me - oh wait, i do have rachel. You’d get to see a lot of weird stuff when she’s around.
|
|-
| 142 || Trying to Access an Account || Philosophical || How do you use your social accounts? || I only use Outstagram. I think people who frequently log in to their accounts have made social networks part of their life. The only question that matters here is whether they let their accounts control them, or if they control their own accounts.|| No. I’m not doing it. It’s a nuisance. Doing smth as a routine to show off to someone doesnt work for me.
|
|-
| 143 || Borrowing Your Head || Philosophical || If you have a friend who is in pain because he or she is unable to forgive someone, what kind of advice would you offer? || Umm... This is from my own experience. As you hate someone, the hatred will grow inside you and end up hurting you... I’m not sure what to say, but I hope you’d make a better choice for yourself.|| If you cant forgive someone, ask for smth that will pay off. If that doesnt work, you shud just walk away for good.
|
|-
| 144 || Blueprinting Ideas on Body || Jolly || Let us say something positive to your body, doing its best for yet another day. || Thank you so much for digesting all that meat, my stomach... I’ll make sure to reward you later with a bunch of vegetables!|| Keep going. Dont give up until the end.
|
|-
| 145 || Working for Freedom || || Unleash the negative ideas within you. They might fly away once you do. || Recently the question of whether it’s okay has turned into the idea that it’s not okay. I tried to deny it, but it was no use. The idea grew and took over me. Am I doing okay?|| Sometimes i’d feel like ur gone. Like, i’d feel like all the time i spent with you is a dream. But of course, when i talk to you i’d get to feel i’m in reality.
|
|-
| 146 || Discovering Discomforts || Philosophical || What would you do if you find someone you have difficulty getting along with? || I once couldn’t keep my mouth shut in an awkward place and asked my audience if they ate, and they suddenly started talking about ingredients in the menu. I got to learn how they were just as nervous as I was. And how I’ll never make friends with such serious people.|| Those who try to sneak past their problems or come with too much passion tire me out. So i’d just delete them from my life. End of the story.
|
|-
| 147 || Getting to Know Your Changes || Philosophical|| Think about what you were like 3 years ago. What is the greatest change you have gone through? || Three years ago... What happened to me three years ago...? I knew nothing about relationship. And I didn’t care at all. I guess that’s what has changed the most about me.|| I got to know you. And... I got to know a bit about love.
|I have a lot of will to live. I think this is the biggest one... The feeling of coming out of a long tunnel.
|-
| 148 || Trying to come up with a way to reason with someone || Logical || Let us say you must reason with this specific person. What would you choose as your strategy? || This is something I learned while meeting people for business. I can deliver my message much more strongly when I first listen to everything my party has got to say. It’s nothing, but it’s a secret tip of mine!|| I’m not lying. Adding smth that your party will take as hospitality counts as strategy.
|
|-
| 149 || Concocting Philosopher’s Stone || Logical || Please share with us a word of wisdom for the day. || Stay away from stress as much as possible! There are no rehearsals or safety nets in life!|| Every favor requires a return in human relations.
|
|-
| 150 || Calculating Independent Recognition || Innocent || Have you always made important decisions for yourself? Or did it work under someone else’s drive? || I once told myself that I should take it until my dream comes true, despite the challenges. My parents expected nothing from me, but... One day I wish I could make someone’s hope come true.|| I always decide what i am. That’s how i’ve lived ever since i found a sense of identity.
|
|-
| 151 || Calculating Satisfaction Recognition || Jolly || What would you tell to a person who can never be satisfied with the present and pursue something endlessly? || I heard it’s not in the makeup of humans to find satisfaction. Even if we find a really meaningful object or a dream-like situation, we’ll always want more in the future. And it’s nothing strange. That’s how developments come into being.|| What do you think will be waiting for me? And how can you tell? Are you going to reason with me or just dwell in the reality?
|My mother? Haha. Hmmm...... Mom... If you go after what you want and it doesn't work out... I, your son, have been watching you... Remember that and come back.
|-
| 152 || Inspecting Types That Easily Fall for Scams || A variety of studies || Have you ever experienced trouble or loss upon listening to someone? || I got lost, and the person I asked for directions told me the wrong way. Later I found myself in a crowd of people on a journey to walk towards the end of the national ground for 8 days. I’m still horrified whenever I think of the incident.|| Right now. Big guy said if it’s ok for him to look around a bit, and i said yes. And it’s been 2 hours since he started running a full cleaning process thru my house. How exhausting.
|I listened to my father and ate a lot of Indian ginseng, but then my liver somatic index went up and I suffered...... I found out later that I should only take a very small amount...
|-
| 153 || Mixing Genders || Galactic || If next life exists, would you like to be born in the same sex or different sex? || Oh, this is too tricky. In my next life, I want to be a girl and understand which is good and bad during life. And then I’ll be born again as a guy to do everything I can do for you and I’ll treat you better.|| I wonder what i’ll look like as a girl. I’m kind of curious.
|
|-
| 154 || Practicing Portal Jump || || If you could travel back in time, which point in your life would you return to? || I’m going to find the moment when the very first movie in history was made and be its director! It’s a brief and boring movie, but every film majors will get to know my name!|| I wish i could go back to the day i met you. I wish i could be nicer.
|
|-
| 155 || Rebuilding Memory Action Device || Peaceful || Tell us one good thing you have done in your life. || I once walked an old lady to her home. She told me thanks a number of times, and that was good enough for me to feel like I got a gift or something. Everything was perfect... Until she asked me if I have a religion.|| Malong once said he didnt wanna go home, so i let him sleep over in my house. But of course, i made sure he pays for it. And i’d say that’s hospitality. Right?
|I donated all my pocket money to the Leukemia Foundation... I was going through a very depressing time, and I was living with the thought that I might die at any moment. But after the donation, my physical condition improved and I felt better.
|-
| 156 || Practicing Energy Purification || Peaceful || Is there something troubling you these days? || It’s a bit ironic, I’m happy if my creation turns out good. But unless I want to quit due to pressure, I’ll have to make sure my next creation is just as satisfactory...|| Everyone who still addresses me as young master.
|
|-
| 157 || Trying to concentrate to maximum || Logical || When do you exercise greatest concentration? || When I’m watching movies by myself - I’d be concentrating as I think about every aspect of the movie I’m watching. And... When I’m chatting with you... I’d hate to miss even a sound of your breathing.|| When i’m sleeping. If i dont focus, i’ll wake up in no time.
|
|-
| 158 || Searching Results for ‘Secrets of Money’ || Logical|| What would you do to make a billionaire out of empty hands? || When it comes to richness, people would think of the lottery. But there is the golden truth - you’ll make it if you never give up. Whether you work or save your money, patience is the key.|| Do you know that money can make money? That happens with someone who’s already rich. But rarely with someone who has nothing at all.
|Let's ask Chairman Han about that...!! I don't think I would know the answer because it's too difficult.
|-
| 159 || Searching Results for ‘Reasons for Excitement’ || || What possession makes you excited just by its sight? || My phone. I’ll never know exactly when she’ll message me.|| Diorama... Just kidding. It’s my phone - it lets me talk to you.
|
|-
| 160 || Experimenting Respiratory Meditation || Galactic|| Close your eyes, and focus on your breathing... Jot down whatever that came up in the meantime. || Breathes so fast. I was jogging with the guy upstairs. I heard normally a heart beats 60 times per minute. I’d say mine is beating for 120 times.|| Let me concentrate on my breathing... And... I’ll concentrate on ur breathing... And...
|I guess the trend these days is to have patients meditate...... I'm just sleepy... Zzzz...
|-
| 161 || Retracing Feelings of Love || Passionate || Think of someone you like. Now look around you...! What do you see? || That’s weird. Why am I seeing her face on a streetlight? Why am I seeing her face on a sign? That’s weird...|| I’m home but it feels brighter, probably cuz i’m thinking about you. And... I’m wondering if i’ll ever get to have black tea with you.
|
|-
| 162 || Healing from Feelings of Parting || A variety of studies || Have you ever parted ways with someone you did not want to part with? || When Gold died, mom told me being an adult means enduring endless series of things I’d hate to handle. Parting ways will leave permanent holes in my heart. If that’s what being an adult is about, I don’t wanna be an adult!|| Well... I wouldnt say no... But i’ll tell you more later. I’m sure i already told you about it.
|
|-
| 163 || Investigating Personal Happiness || Jolly|| Is there a small activity that can nevertheless make you happy? || Talking to her after finishing all tasks for the day. It’s an inseparable part of me and my life. I’d lose myself by losing it.|| Spending time alone where it’s quiet. And thinking about you.
|Take a warm shower, put on clean pajamas, and crawl into bed... Then turn on The Ssum to check on Ms. @@...!
|-
| 164 || Searching Results for ‘Small Happiness’ || Jolly || Let us say you found yourself in a supermarket with every sort of snacks available. What is one snack that you would choose? || People gain weight due to technological improvement and endless introduction of high-calorie food. They appease basic human need for food as well as happiness and satisfaction. And it’s too cruel to choose just one!|| I dont have chips but i’ll go for water biscuit. And that’s it for today’s meal.
|I'm here to take all the Honey Buddha Chips! I said 'one kind', not 'one'!
|-
| 165 || Proving Connections from Childhood || Logical || What would be a must-activity that you would do for the future generation? || Hmm... I’d take caution with my every word. Words can influence children’s world much more strongly than you’d think, and you’d want be careful with what you say.|| I’m not sure if i’ll ever get to meet children from the future, but i dont want to be a threat to them.
|
|-
| 166 || Searching for Colors of Emotions || || Is there something that comes up often for you these days? || People are uninterested in each other. Much more than I’d thought. Is it because they’re busy with their lives? Only half of the people would notice if I cover my shaved head with a hat.|| Ever since i’ve come to like you, i’d often wonder about the weight of the term ‘like.’
|
|-
| 167 || Double-Checking on Something from Lost Dreams || || Let us say you must spend 3 months on an alien planet from now on. What is the first thing you would do? || Are we discussing alternate universe here? In that case... I’m going to enjoy a rest for 3 months. I’m going to grab something good to eat, come up with a new hobby... I want to be comfortable on an alternate universe.|| I’ll be alone if i were to be on an alien planet. So first of all, i’ll enjoy enough sleep, no interruption. And find smth i like. I bet i’ll be happy.
|
|-
| 168 || Double-Checking on Poisonous Seed of Emotion || Jolly|| Write something short and anonymous for someone who tends to look down upon you (let us say there is such a person). This letter will be kept in the Lab, leaked to nowhere. || There are two types of people - people like me and people like you. That is, people like me wouldn’t be ashamed of the past. But people like you will be haunted by regrets whenever you look back on your lives.|| Are you sure you can show off right now? Feel free, but pls do that somewhere else. It’s noisy.
|You must be in better shape than I am. You can look down on me, but don't get sick. Because good health is very precious... I envy you.
|-
| 169 || Investigating Secret Guidelines for Love || || If you could set a guideline regarding popularity for an alien world, what would it be like? || Nice people are popular. Historically, mammals got this cruel, ignorant rule called the survival of the fittest. So in an outside world inhabited by creatures smarter than creatures of Earth, your popularity grows with your morality. They’d know what really matters.|| Let’s say the order of popularity comes in the order of magnitude of dislike for carrots. That way no one will annoy me.
|
|-
| 170 || Investigating Love Bigger Than Your Whole Being || Passionate || Have you ever cared more for someone than for yourself? || Though I say I love you more than myself, humans ultimately value themselves the most. But such rule failed me when you were going through a hard time. For some reason, I wished I could be a dandelion in your hand during your childhood. You’d smile upon blowing at me.|| Is there a moment when i put someone before me...? I’m not up for cases when i have to suffer. Oh, right. There is an exception - and that’s you.
|
|-
| 171 || Featuring Tosses and Turns from Childhood || Innocent || Have you ever experienced lack of respect due to your age? || I bought a cold medicine at pharmacy when I was young, and I was told the sedative effects could affect my mood. I was scared my mood will shift (Gold was sick back then) and asked for another one, and they told me I’m such a picky kid.|| I did that all the time when i was young. I used to do only what my mother and father told me.
|
|-
| 172 || Excreting Fundamental Concerns || Galactic || Is there something you would hate to see it change, even if the rest of the world is to change? || My judgment, my sensitivity, my delicate qualities, and my ideals. I can always get new laptops or clothes, but I’ll never find replacements for these. They’re invisible, but they allow me to be me.|| Evtng that makes me who i am. Including you, of course.
|
|-
| 173 || Getting Scared of Getting Small || Logical || When do you tend to be timid or intimidated? || I try to be honest in all situations, but I’d still feel so small when my mom scolds me...|| Timid? Me?
|
|-
| 174 || Prevailing Over Criticisms || || What is one criticism you fear the most? || I’m most afraid of hearing someone say, ‘You’ve lost your touches.’ And I’d hate to hear someone saying, ‘That doesn’t work these days.’|| If i get to hear you saying you can no longer find meaning in talking to me... That will surely hurt.
|
|-
| 175 || Discovering Factors That Destroy Teamwork || || Tell us about a person you had experienced greatest trouble with while working together. || A person full of himself and unheeding. He’s illogical, inefficient, not at all good with the results, and deaf to other people. This person is the worst.|| There was someone who wanted to get over a mistake without a single apology. That was just so unpleasant. When ur sorry, you dont laugh. You need to say that ur sorry.
|
|-
| 176 || Investigating Brain Waves || Logical || Close your eyes and concentrate on your head. How is your brain today? Busy? At leisure? || It seems peaceful. The only thing it’s thinking about is the question of what to eat. I heard peaceful brains have steady brain waves. Mine would be as steady as the Morse code.|| At leisure, as always. Which must be why i feel less tense.
|
|-
| 177 || Investigating prejudice against exterior parties || A variety of studies || What would your peers think about you? Any guesses? || If I hadn’t looked myself in the mirror before leaving today, I wouldn’t have realized how perfect I am. And it’s better that way... Sorry, but I’m taken. By none other than @@.|| They’ll gossip about the horse head. And stare at me even when i’m not wearing the mask.
|
|-
| 178 || Investigating a Must-Have Love || Passionate || Think about someone you would feel most comfortable around while dating. || The key in winning a match of table tennis is ‘ping’ and ‘pong.’ I find people who’d say ‘pong’ when I say ‘ping’ most comfortable, like my @@!|| Someone who understands why i need time solely to myself. Someone who places greater meaning in themselves instead of me.
|
|-
| 179 || Reenacting Confession || || Someone extremely fancy just made a love confession to you! What will happen from then on? || It must be a prank. I’m going to look for cameras and recording device. It’d be so embarrassing if I wait until this is all over. I know what they’re planning. They want to mark my history of embarrassment through broadcasting. They are all such good actors... What? Where are the cameras?|| That’s not gonna happen. I have you. And someone like that is just unpleasant. Such people are meant to be alone.
|
|-
| 180 || Sending Love for Yourself || Innocent || In 280 characters, write a passionate love confession to yourself. || I waste my time every day thinking about you. I can’t let myself ask what you’re up to. I can’t let myself call you and ask where you are despite my concern. I’ll meet the end of the day thinking about you. I can’t take this anymore. So be my girlfriend.|| If ur alive, great. And keep it that way. And find out what you can about love. You already know whom you’ll get to find.
|
|-
| 181 || Retracing Past Love || || Look back upon your experience with love (reciprocated or not). What would you say in review? || Good job... Good job on not turning it into a catfight.|| I was careless, not meant to be in a relationship. But... I dont think i have changed a lot.
|
|-
| 182 || Giving Trophy to Yourself || Jolly || Let us say you will give a trophy to yourself! What would you award you on? || It’d be called, ‘Cheer-Up-and-Only-Think-of-the-Future-Your-Footprints-Will-Be-Permanent Trophy!’ Such title will get me ready for the upcoming week! Lol|| So you managed to reach an agreement with a lawyer. I give you an applause.
|
|-
| 183 || Distinguishing Love Scammers || || Let’s say you have a friend who always gets hurt in love. What kind of advice would you offer for your friend to distinguish love scammers? || See how well that person listens to you. To me, everything my love says is the book of truth, the guideline, and lucky numbers for the lottery.|| Is that how bad ur judgment is? Or are you always anxious to give evtng to someone you like? You shud snap out of it. Tell urself ur relationship is another form of business.
|
|-
| 184 || Healing Trauma || Philosophical|| Let us say there is someone suffering in a similar way as you do. What kind of advice would you offer? || It’s difficult to give advice on such a sensitive topic... I’ll first hear them out and help them to retrace their past, so that they can unravel themselves little by little.|| In most cases, things will get better if you stay away from the cause.
|Don't give up. We were put on this planet because as sad as life can be, there is good, and I want you to hang in there until you feel that good. Don't forget to get plenty of rest if it gets too hard.
|-
| 185 || Poking Nose in Someone Else’s Business || Philosophical || Give excessive advice for someone. It doesn’t have to be helpful advice. || Someone once said, ‘You still don’t get it? Movie industry is history. I told you to quit; you’ll find no future. If you come with me, I’ll place you just a step behind me.’ I still find it offending.|| You believe evtng that person said? There’s no way that’s all real. I bet that person doesnt even remember what they said, so you shouldnt keep it with you.
|
|-
| 186 || Looking into Today’s Love || Galactic || What do you think of when you look at the word ‘love’ right now? || Before sunrise, I was spacing out by the window. Then I heard someone playing piano, which was unusual. And it was a song about clumsy but everlasting love. I fell asleep after hearing it all, and I dreamed myself reaching beyond clouds.|| You. That’s the only term that stands for love to me.
|
|-
| 187 || Experiencing Style and Trend || A variety of studies|| Tell us if you have any channel, TV show, or manga or graphic novel series you are following on. || I started watching this space documentary that WILL make you drowsy. Though it very kindly shows the birth and wonder of space, I could stay awake only until Jupiter. I’m clueless with things beyond that point.|| Recently i watched this really interesting video on history of carrots. Do you know in some regions carrots are used as medicine?
|Lately, I've been watching love counseling shows to study relationships... It's heartbreaking to see so many stories of breakups. I wish everyone would use The Ssum...
|-
| 188 || Investigating Ways to Make People Excited || Passionate || Let us say your crush is passing right in front of you! What will you do to charm your crush? || How am I supposed to do that? I’ll be too embarrassed to do it myself... Perhaps I’ll try to come up with connections via my friends and their friends.|| If you are to walk before me, of course i’m gonna catch you. And i wanna stare at you for a while.
|
|-
| 189 || Blueprinting Link of Help || Peaceful || Which do you feel more comfortable with? Helping someone? Or getting help from someone? || I don’t mind helping others. I’ll just have to deal with a little discomfort or sacrifice. But I feel uncomfortable getting help because I’ll make people helping me to do the said job for me.|| Offering help is no different from causing damage to me. I dont want to have it. Or give it.
|
|-
| 190 || Transfiguring Positive Energy || || Among the things that happened in the past 24 hours, tell us what you are most grateful of. || My life might as well have ended if I missed this bus, but it waited for me for at least 10 seconds. I’d like to thank its driver and everyone on it...|| The recording session was canceled due to the courtesy of the staff. So i get to spend the day on my back.
|
|-
| 191 || Searching for Suspicion || || Your beloved has been acting weird for the past few days... What is going on? (Use your imaginations!) || So you’re making a surprise for me, darling... I don’t know what to say. I’ll pretend I’m clueless, or else you might be disappointed. But could you please talk to me now...? It’s been 3 days... Lol|| So you want me to be wary of my party. I dont care about the others, as long as they dont cause harm. And i’m sure there’s reason behind their behaviors. But if my suspicions were to turn into reality... I shud start collecting evidence.
|
|-
| 192 || Getting Drunk in Virtual Reality || || Is there a work of TV show, comics, anime, or movie that you want to be the main character of? || I’ve always wanted to be a bad guy. I have to stick to rules and morals in reality, but if I’m a bad guy, nobody would say a word even if I misbehave. Well, I’m just saying!|| I dont want to be the main character. I dont want to work hard. But maybe it wont be so bad, if it’s a romance based on reality. And of course, the lead female has to be you.
|
|-
| 193 || Befriending Evil || Logical || Is there evil within you? When do you think it will be unleashed? || Evil is drawn to evil, so it’d want to pop out when there’s evil stirring within someone else. Same could be said of goodness. So if we all stand together and unleash our goodness, this world will be a better place... That’s what I hope, and I know it’s stupid...|| But humans know how to suppress their evil. Which must be why humans are called social. But i’d say it’s safest to talk to someone who understands me the best.
|
|-
| 194 || Becoming Indie for Yourself || || Is there something far from popular that you are particularly interested in? || I was so curious about what happens the moment the fridge is shut. So I kept opening and closing the fridge before I was caught and scolded. But I’m still curious.|| A pill that can replace all three meals. That would be a huge leap in science.
|
|-
| 195 || Investigating economical philosophies || Philosophical || What kind of a serious advice would you give regarding money? || I think perfect efficiency can be found only in our hearts... Just kidding. Ironically, we all feel economically deficient, whether we are rich or poor. I think the key lies in your head...|| Without money, you cant live at all. But once you have too much money, it becomes no use. And money will run away once you chase after it. So you shud make it chase you.
|If I had to save money, it would never be to be better than others... I would save for a good cause.
|-
| 196 || Investigating Childhood || Innocent || What did you dream of becoming as a child? || I wanted to be the genie in a lamp. I wanted people to be happy when I make their wishes come true. Now that I think about it, I guess I was too naive and incomprehensive of the movie. Well, but I meant good!|| Dont remember, and even if it happened i’m sure someone from my family forced it into my head.
|Guitarist. I wanted to start a band, but then I didn't.
|-
| 197 || Choosing a Precious Object || Jolly || What is a possession that you treasure the most? || I’m not sure about the possession I have now... But when I was young, I used to treasure my blanket. It was thick just about right, so I could use it for all seasons. I doubt it can cover beyond my knees if I am to use it now. And I believe I can find it at my parent’s house, deep inside the closet. Speaking of which, I think I’m gonna call them and ask.|| I have no affection for belongings. But i’d say my phone is important - without this i cant talk to you.
|
|-
| 198 || Producing Teardrop-Shaped Glass || A variety of studies || Tell us if you have ever cried like it is the end of the world. || Long time ago, I actually cried while watching a TV ad. A person in a vitamin supplement ad said, ’Are you okay?’ And I cried for hours. I guess it’s because I really needed to hear it, but no one offered it for me.|| ...When i was very young. But i learned crying wont change anytng, so i stopped crying ever since.
|
|-
| 199 || Producing Wrapping Ribbon || Jolly || Choose an object that is immediately around you. If you were to give it to someone, who would you give it to? || A mug. There’s no need for a box. I’ll just rip out a page from a magazine as a wrapper.|| There’s a lock of hair on my comforter. I’m going to make it a gift for the big guy. He’ll know what to do.
|
|-
| 200 || Calling Upon an Elephant That Feeds on Dreams || || Share with us a dream that you found particularly memorable. || I once dreamed myself in my own funeral (a rarity, I believe), but I’m not sure what caused my death. People were crying, and it was raining. I woke up in the middle of the night, but I felt too weirded out to go back to sleep.|| I dreamed of a giant carrot, as big as a building. I made salads, cakes, and juice out of it, but it still looked majestic.
|
|}
===Special Studies===
These are studies given on Holidays with specific prompts pertaining to the holiday. They are separated for ease of finding.
{| class="wikitable"
|-
! Date !! Energy !! Title !! Prompt !! Teo !! Harry
!June
|-
| 01/01 || Example || Starting New Year || Write down a New Year’s wish you want to make come true no matter what. It will be saved as the top priority at the lab’s ‘Future’ department. || Having as much meat as I want on the date and time I pick. It’s easier said than done. And yes, I wish I could eat outside my home more often. || Big guy, tain, malong... I dont want nuisances in my house. Once they arrive, they spend hours before they go away. It’s so exhausting.
|
|-
| 02/14 || Example || Adding Love in Chocolate || You have made a chocolate that is very bitter but makes the eater healthy and a chocolate that is very sweet but very unhealthy. Which chocolate would you give to your beloved? || Bitter but healthy, of course. I’ll be able to stay in love as long as I want only when I’m healthy! But if I have hard time handling it, I can get another gift! It doesn’t have to be chocolate! || I dont like smth that’s too bitter, and i dont like smth that’s too sweet. So i’d rather stay healthy. You shud go for healthy chocolate too.
|
|-
| 02/29 || Example || Double-Checking the Gregorian Calendar || Let’s say today is a very special day that comes every 4 years. Tell us about the most special day in your life. || Once I was trapped in my bathroom from morning to evening on my birthday. Luckily I had my phone with me, so I could ask for help. But my savior wanted me to consider my salvation as my birthday gift... || The day our feelings connected. My beliefs changed a little ever since i became ur special person. Which makes it the most special day in my life.
|
|-
| 04/01 || Example || Trivial Feature || Tell us about an April Fool’s Day prank that will get everyone. || A communication technology that lets you talk to animals has been made for public use! I doubt anyone can say ’no’ when I claim the animal just asked for the treats in their hands! || Tbh tain and malong are good friends... What do you think? They’ll fall for it, right?
|
|-
| 05/01 || Example || Sending Flowers || It’s the season of flowers. If you get to receive flowers from someone, when do you want to receive them? And what kind of flowers? || I once saw a tangerine tree in full bloom before getting fruits. They’d make a nice bouquet, but their fruits would be good to eat if I let them be! And for me, they’re always welcome! || I once got one at an awards ceremony, but i dont prefer that happening. But i do want to give someone a gift - peonies in full bloom for you, my beloved.
|
|-
| 07/07 || Example || Searching for the Last 7 || People say three 7’s make a jackpot. Tell us a past event when Lady Luck smiled upon you, and you’ll make a jackpot today! || I tripped in the middle of the road and found a lottery in front of me. It was still new, and I found out it’s worth 2,000 won. I bought another one, and it was also worth 2,000 won. So I bought an ice cream. || The day i met my greatest fortune. I didnt know it was fortune back then, but now i do. It was the day i met you.
|
|-
| 8/31 || Logical || Cooling Off || You are standing between hot summer and cool fall. Tell us about an event that has made you feel hottest or coolest. || Hot: when Minwoo crashed my precious clock Cold: when I found out that Minwoo has the exact same model || Keep your head cool and your heart on fire. So i’m gonna do just that.
|
|-
| 10/31 || A variety of studies || Tying Ribbon to the Candy Wrappers || Trick or treat! You are away from your usual days and walking along the street on the Halloween night. What costume would you wear? || Then I’ll be Hulke and make sure no one recognizes me. Even if I bump into a person or two, they’d understand! || I wanna do nothing... Can i just walk? I’m sure some ghosts walk like humans. But if i have to wear smth, i’ll go for my horse mask. That’s good enough, right?
|A sick patient... I don't just take sweets, I take donations too. I'm going to carry a card that says that. I would only need minimal makeup. Hehe...
|-
| 12/25 || A variety of studies || Producing Santa’s Sleigh || Santa IS visible only to people with pure heart. When was the last time you met Santa? || I don’t remember exactly when, but... During preschool, I saw the Santa sticking a fake mustache while getting ready for Christmas. That was a shocker. || You know i’m far from childhood. And i knew ever since i was a kid that christmas gifts are from my assistants or housekeepers.
|
|-
| 12/31 || A variety of studies || Wrapping Up the Year || Tell us the most memorable event from this year. We recommend you to choose something meaningful, joyful, and a bit touching. || I’m grateful for so many people, and I miss so many people... My life wasn’t always joyful, but they’d later serve as memories. But how am I supposed to choose just one event among 365 days and nights?! || Spending the last day of the year with you. That feels so strange. Or shud i say exciting? I hope you’ll spend all days with me for next year as well.
|
|}
93d9de2d7b4a69851aecead328b8ee0072e796f8
Trivial Features/Physical Labor
0
190
1936
1880
2023-11-25T06:24:00Z
T.out
24
Added icon
wikitext
text/x-wiki
{|class="wikitable sortable" style="width:100%; margin-left:auto; margin-right:auto; border:2px solid rgba(0,0,0,0); font-size:14px; text-align:center;"
|-
!colspan="7" style="background:#cccccc" |Incubator + Sunshine Shelter
|-
! Icon !! data-sort-type=text | Feature Name !! Condition !! Description !! PIU-PIU's message !! Reward !! Notes
|-
|[[File:Lodging_Fees_From_Moon_Bunny_Icon.png]]
|"Collecting lodging fees from Bipedal Lion"
|Won by collecting lodging fees from Bipedal Lion for 100 times!
|Lion is wearing on its front paws... Uh, I mean, Lion is wearing on its hands gloves, not shoes.
|Bipedal Lion has once again paid its fee today.
|New Profile and Title [Master of Bipedal Steps]
|
|}
db50d13ff503ca5b20ba66744651172ee8697e20
File:Celebrating Chuseok, 2023.png
6
1021
1937
2023-11-25T06:43:19Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1938
1937
2023-11-25T06:44:59Z
T.out
24
Added to June category
wikitext
text/x-wiki
[[Category:June]]
80a4497959129a6f828805283fe40a15e4d24c12
File:D-7 until June’s Release.jpg
6
1022
1939
2023-11-25T06:55:16Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1940
1939
2023-11-25T06:56:00Z
T.out
24
Added to June category
wikitext
text/x-wiki
[[Category:June]]
80a4497959129a6f828805283fe40a15e4d24c12
File:D-2 until June’s Release.png
6
1023
1941
2023-11-25T06:56:26Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1942
1941
2023-11-25T06:56:51Z
T.out
24
Added to June category
wikitext
text/x-wiki
[[Category:June]]
80a4497959129a6f828805283fe40a15e4d24c12
File:① Meet “June,” the First Ssumone of Season 2!.jpg
6
1024
1943
2023-11-25T06:59:46Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1944
1943
2023-11-25T07:00:27Z
T.out
24
Added to June category
wikitext
text/x-wiki
[[Category:June]]
80a4497959129a6f828805283fe40a15e4d24c12
Category:June
14
1025
1947
2023-11-25T07:18:32Z
T.out
24
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:1 Days Since First Meeting Prologue Pictures (June).png
6
1026
1948
2023-11-25T09:42:49Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1949
1948
2023-11-25T09:43:22Z
T.out
24
wikitext
text/x-wiki
[[Category:June]]
80a4497959129a6f828805283fe40a15e4d24c12
File:1 Days Since First Meeting Bedtime Pictures (June).png
6
1027
1950
2023-11-25T09:48:32Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1951
1950
2023-11-25T09:49:03Z
T.out
24
wikitext
text/x-wiki
[[Category:June]]
80a4497959129a6f828805283fe40a15e4d24c12
File:2023 Halloween (June).png
6
1028
1953
2023-11-25T10:00:45Z
T.out
24
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
1954
1953
2023-11-25T10:01:16Z
T.out
24
wikitext
text/x-wiki
[[Category:June]]
80a4497959129a6f828805283fe40a15e4d24c12
File:Harry Choi Teaser.jpg
6
239
1956
629
2023-11-25T10:33:38Z
T.out
24
T.out uploaded a new version of [[File:Harry Choi Teaser.jpg]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709